2012-09-28 22:29:48 +02:00
|
|
|
# -*- coding: utf-8 -*-
|
|
|
|
|
|
|
|
# Copyright: (c) 2008, Jarek Zgoda <jarek.zgoda@gmail.com>
|
|
|
|
|
|
|
|
__revision__ = '$Id: models.py 28 2009-10-22 15:03:02Z jarek.zgoda $'
|
|
|
|
|
2017-07-08 06:25:05 +02:00
|
|
|
import datetime
|
2012-09-28 22:29:48 +02:00
|
|
|
|
|
|
|
from django.db import models
|
2017-11-30 01:14:16 +01:00
|
|
|
from django.db.models import CASCADE
|
2018-01-29 08:17:31 +01:00
|
|
|
from django.urls import reverse
|
2012-09-28 22:29:48 +02:00
|
|
|
from django.conf import settings
|
|
|
|
from django.contrib.contenttypes.models import ContentType
|
2016-10-10 14:52:01 +02:00
|
|
|
from django.contrib.contenttypes.fields import GenericForeignKey
|
2017-07-22 00:25:41 +02:00
|
|
|
from django.http import HttpRequest, HttpResponse
|
|
|
|
from django.shortcuts import render
|
2017-04-15 04:03:56 +02:00
|
|
|
from django.utils.timezone import now as timezone_now
|
2012-09-28 22:29:48 +02:00
|
|
|
|
2017-11-30 01:14:16 +01:00
|
|
|
from zerver.models import PreregistrationUser, EmailChangeStatus, MultiuseInvite, \
|
|
|
|
UserProfile, Realm
|
2017-07-11 20:52:27 +02:00
|
|
|
from random import SystemRandom
|
|
|
|
import string
|
2019-02-02 23:53:19 +01:00
|
|
|
from typing import Dict, Optional, Union
|
2012-09-28 22:29:48 +02:00
|
|
|
|
2017-07-22 00:24:42 +02:00
|
|
|
class ConfirmationKeyException(Exception):
|
|
|
|
WRONG_LENGTH = 1
|
|
|
|
EXPIRED = 2
|
|
|
|
DOES_NOT_EXIST = 3
|
|
|
|
|
2017-10-27 10:52:58 +02:00
|
|
|
def __init__(self, error_type: int) -> None:
|
2017-10-27 08:28:23 +02:00
|
|
|
super().__init__()
|
2017-07-22 00:24:42 +02:00
|
|
|
self.error_type = error_type
|
|
|
|
|
2017-10-27 10:52:58 +02:00
|
|
|
def render_confirmation_key_error(request: HttpRequest, exception: ConfirmationKeyException) -> HttpResponse:
|
2017-07-22 00:25:41 +02:00
|
|
|
if exception.error_type == ConfirmationKeyException.WRONG_LENGTH:
|
|
|
|
return render(request, 'confirmation/link_malformed.html')
|
|
|
|
if exception.error_type == ConfirmationKeyException.EXPIRED:
|
|
|
|
return render(request, 'confirmation/link_expired.html')
|
|
|
|
return render(request, 'confirmation/link_does_not_exist.html')
|
|
|
|
|
2017-10-27 10:52:58 +02:00
|
|
|
def generate_key() -> str:
|
2017-07-11 20:52:27 +02:00
|
|
|
generator = SystemRandom()
|
|
|
|
# 24 characters * 5 bits of entropy/character = 120 bits of entropy
|
|
|
|
return ''.join(generator.choice(string.ascii_lowercase + string.digits) for _ in range(24))
|
2013-02-28 20:07:04 +01:00
|
|
|
|
2017-11-08 03:36:44 +01:00
|
|
|
ConfirmationObjT = Union[MultiuseInvite, PreregistrationUser, EmailChangeStatus]
|
2017-10-27 10:52:58 +02:00
|
|
|
def get_object_from_key(confirmation_key: str,
|
2017-11-08 03:36:44 +01:00
|
|
|
confirmation_type: int) -> ConfirmationObjT:
|
2017-07-22 00:27:45 +02:00
|
|
|
# Confirmation keys used to be 40 characters
|
|
|
|
if len(confirmation_key) not in (24, 40):
|
|
|
|
raise ConfirmationKeyException(ConfirmationKeyException.WRONG_LENGTH)
|
2017-07-08 06:36:39 +02:00
|
|
|
try:
|
2017-11-01 21:07:39 +01:00
|
|
|
confirmation = Confirmation.objects.get(confirmation_key=confirmation_key,
|
|
|
|
type=confirmation_type)
|
2017-07-08 06:36:39 +02:00
|
|
|
except Confirmation.DoesNotExist:
|
2017-07-22 00:27:45 +02:00
|
|
|
raise ConfirmationKeyException(ConfirmationKeyException.DOES_NOT_EXIST)
|
2017-07-08 06:36:39 +02:00
|
|
|
|
|
|
|
time_elapsed = timezone_now() - confirmation.date_sent
|
2017-07-08 06:50:57 +02:00
|
|
|
if time_elapsed.total_seconds() > _properties[confirmation.type].validity_in_days * 24 * 3600:
|
2017-07-22 00:27:45 +02:00
|
|
|
raise ConfirmationKeyException(ConfirmationKeyException.EXPIRED)
|
2017-07-08 06:36:39 +02:00
|
|
|
|
|
|
|
obj = confirmation.content_object
|
2017-08-10 22:27:57 +02:00
|
|
|
if hasattr(obj, "status"):
|
|
|
|
obj.status = getattr(settings, 'STATUS_ACTIVE', 1)
|
|
|
|
obj.save(update_fields=['status'])
|
2017-07-08 06:36:39 +02:00
|
|
|
return obj
|
2017-07-08 04:18:58 +02:00
|
|
|
|
2017-11-30 01:23:02 +01:00
|
|
|
def create_confirmation_link(obj: ContentType, host: str,
|
2017-10-27 10:52:58 +02:00
|
|
|
confirmation_type: int,
|
|
|
|
url_args: Optional[Dict[str, str]]=None) -> str:
|
2017-07-08 04:38:13 +02:00
|
|
|
key = generate_key()
|
2018-11-12 14:15:49 +01:00
|
|
|
realm = None
|
|
|
|
if hasattr(obj, 'realm'):
|
|
|
|
realm = obj.realm
|
2019-09-17 14:04:48 +02:00
|
|
|
elif isinstance(obj, Realm):
|
|
|
|
realm = obj
|
|
|
|
|
2017-07-08 06:25:05 +02:00
|
|
|
Confirmation.objects.create(content_object=obj, date_sent=timezone_now(), confirmation_key=key,
|
2018-11-12 14:15:49 +01:00
|
|
|
realm=realm, type=confirmation_type)
|
2017-07-08 08:43:25 +02:00
|
|
|
return confirmation_url(key, host, confirmation_type, url_args)
|
2017-07-08 04:38:13 +02:00
|
|
|
|
2017-10-27 10:52:58 +02:00
|
|
|
def confirmation_url(confirmation_key: str, host: str,
|
|
|
|
confirmation_type: int,
|
|
|
|
url_args: Optional[Dict[str, str]]=None) -> str:
|
2017-07-08 08:43:25 +02:00
|
|
|
if url_args is None:
|
|
|
|
url_args = {}
|
|
|
|
url_args['confirmation_key'] = confirmation_key
|
|
|
|
return '%s%s%s' % (settings.EXTERNAL_URI_SCHEME, host,
|
|
|
|
reverse(_properties[confirmation_type].url_name, kwargs=url_args))
|
2017-01-17 11:11:51 +01:00
|
|
|
|
2012-09-28 22:29:48 +02:00
|
|
|
class Confirmation(models.Model):
|
2018-01-29 08:17:31 +01:00
|
|
|
content_type = models.ForeignKey(ContentType, on_delete=CASCADE)
|
2017-07-08 06:25:05 +02:00
|
|
|
object_id = models.PositiveIntegerField() # type: int
|
2016-10-10 14:52:01 +02:00
|
|
|
content_object = GenericForeignKey('content_type', 'object_id')
|
2017-07-08 06:25:05 +02:00
|
|
|
date_sent = models.DateTimeField() # type: datetime.datetime
|
|
|
|
confirmation_key = models.CharField(max_length=40) # type: str
|
2017-11-30 01:14:16 +01:00
|
|
|
realm = models.ForeignKey(Realm, null=True, on_delete=CASCADE) # type: Optional[Realm]
|
2012-09-28 22:29:48 +02:00
|
|
|
|
2017-07-08 06:25:05 +02:00
|
|
|
# The following list is the set of valid types
|
2017-07-08 04:38:13 +02:00
|
|
|
USER_REGISTRATION = 1
|
|
|
|
INVITATION = 2
|
|
|
|
EMAIL_CHANGE = 3
|
|
|
|
UNSUBSCRIBE = 4
|
|
|
|
SERVER_REGISTRATION = 5
|
2017-08-10 22:34:17 +02:00
|
|
|
MULTIUSE_INVITE = 6
|
2017-11-30 01:06:25 +01:00
|
|
|
REALM_CREATION = 7
|
2018-11-12 14:15:49 +01:00
|
|
|
REALM_REACTIVATION = 8
|
2017-07-08 06:25:05 +02:00
|
|
|
type = models.PositiveSmallIntegerField() # type: int
|
2012-09-28 22:29:48 +02:00
|
|
|
|
2018-05-11 01:38:30 +02:00
|
|
|
def __str__(self) -> str:
|
2017-07-08 06:25:05 +02:00
|
|
|
return '<Confirmation: %s>' % (self.content_object,)
|
2017-01-20 12:27:38 +01:00
|
|
|
|
2017-11-05 11:57:15 +01:00
|
|
|
class ConfirmationType:
|
2017-10-27 10:52:58 +02:00
|
|
|
def __init__(self, url_name: str,
|
|
|
|
validity_in_days: int=settings.CONFIRMATION_LINK_DEFAULT_VALIDITY_DAYS) -> None:
|
2017-07-08 04:38:13 +02:00
|
|
|
self.url_name = url_name
|
2017-07-08 06:50:57 +02:00
|
|
|
self.validity_in_days = validity_in_days
|
2017-07-08 04:38:13 +02:00
|
|
|
|
|
|
|
_properties = {
|
2017-11-30 04:39:42 +01:00
|
|
|
Confirmation.USER_REGISTRATION: ConfirmationType('check_prereg_key_and_redirect'),
|
|
|
|
Confirmation.INVITATION: ConfirmationType('check_prereg_key_and_redirect',
|
2017-07-08 06:50:57 +02:00
|
|
|
validity_in_days=settings.INVITATION_LINK_VALIDITY_DAYS),
|
2017-07-08 04:38:13 +02:00
|
|
|
Confirmation.EMAIL_CHANGE: ConfirmationType('zerver.views.user_settings.confirm_email_change'),
|
2017-07-08 08:43:25 +02:00
|
|
|
Confirmation.UNSUBSCRIBE: ConfirmationType('zerver.views.unsubscribe.email_unsubscribe',
|
|
|
|
validity_in_days=1000000), # should never expire
|
2017-11-10 04:33:28 +01:00
|
|
|
Confirmation.MULTIUSE_INVITE: ConfirmationType(
|
|
|
|
'zerver.views.registration.accounts_home_from_multiuse_invite',
|
2017-11-30 01:06:25 +01:00
|
|
|
validity_in_days=settings.INVITATION_LINK_VALIDITY_DAYS),
|
2017-11-30 04:39:42 +01:00
|
|
|
Confirmation.REALM_CREATION: ConfirmationType('check_prereg_key_and_redirect'),
|
2018-11-12 14:15:49 +01:00
|
|
|
Confirmation.REALM_REACTIVATION: ConfirmationType('zerver.views.realm.realm_reactivation'),
|
2017-07-08 04:38:13 +02:00
|
|
|
}
|
|
|
|
|
2018-11-08 22:40:27 +01:00
|
|
|
def one_click_unsubscribe_link(user_profile: UserProfile, email_type: str) -> str:
|
|
|
|
"""
|
|
|
|
Generate a unique link that a logged-out user can visit to unsubscribe from
|
|
|
|
Zulip e-mails without having to first log in.
|
|
|
|
"""
|
|
|
|
return create_confirmation_link(user_profile, user_profile.realm.host,
|
|
|
|
Confirmation.UNSUBSCRIBE,
|
|
|
|
url_args = {'email_type': email_type})
|
|
|
|
|
2017-11-30 00:48:34 +01:00
|
|
|
# Functions related to links generated by the generate_realm_creation_link.py
|
|
|
|
# management command.
|
|
|
|
# Note that being validated here will just allow the user to access the create_realm
|
|
|
|
# form, where they will enter their email and go through the regular
|
|
|
|
# Confirmation.REALM_CREATION pathway.
|
|
|
|
# Arguably RealmCreationKey should just be another ConfirmationObjT and we should
|
|
|
|
# add another Confirmation.type for this; it's this way for historical reasons.
|
2017-07-06 06:59:17 +02:00
|
|
|
|
2018-01-29 20:54:49 +01:00
|
|
|
def validate_key(creation_key: Optional[str]) -> Optional['RealmCreationKey']:
|
|
|
|
"""Get the record for this key, raising InvalidCreationKey if non-None but invalid."""
|
|
|
|
if creation_key is None:
|
|
|
|
return None
|
|
|
|
try:
|
|
|
|
key_record = RealmCreationKey.objects.get(creation_key=creation_key)
|
|
|
|
except RealmCreationKey.DoesNotExist:
|
|
|
|
raise RealmCreationKey.Invalid()
|
|
|
|
time_elapsed = timezone_now() - key_record.date_created
|
2017-11-30 00:19:01 +01:00
|
|
|
if time_elapsed.total_seconds() > settings.REALM_CREATION_LINK_VALIDITY_DAYS * 24 * 3600:
|
2018-01-29 20:54:49 +01:00
|
|
|
raise RealmCreationKey.Invalid()
|
|
|
|
return key_record
|
2017-07-06 06:59:17 +02:00
|
|
|
|
2018-05-11 01:38:30 +02:00
|
|
|
def generate_realm_creation_url(by_admin: bool=False) -> str:
|
2017-07-06 06:59:17 +02:00
|
|
|
key = generate_key()
|
2018-01-29 19:58:52 +01:00
|
|
|
RealmCreationKey.objects.create(creation_key=key,
|
|
|
|
date_created=timezone_now(),
|
|
|
|
presume_email_valid=by_admin)
|
2017-11-04 05:16:40 +01:00
|
|
|
return '%s%s%s' % (settings.EXTERNAL_URI_SCHEME,
|
|
|
|
settings.EXTERNAL_HOST,
|
|
|
|
reverse('zerver.views.create_realm',
|
|
|
|
kwargs={'creation_key': key}))
|
2017-07-06 06:59:17 +02:00
|
|
|
|
2016-06-22 21:16:02 +02:00
|
|
|
class RealmCreationKey(models.Model):
|
2017-03-09 09:11:43 +01:00
|
|
|
creation_key = models.CharField('activation key', max_length=40)
|
2017-04-15 04:03:56 +02:00
|
|
|
date_created = models.DateTimeField('created', default=timezone_now)
|
2018-01-29 19:58:00 +01:00
|
|
|
|
|
|
|
# True just if we should presume the email address the user enters
|
|
|
|
# is theirs, and skip sending mail to it to confirm that.
|
|
|
|
presume_email_valid = models.BooleanField(default=False) # type: bool
|
2018-01-29 20:54:49 +01:00
|
|
|
|
|
|
|
class Invalid(Exception):
|
|
|
|
pass
|