django-orchestra/orchestra/contrib/domains/models.py

279 lines
9.8 KiB
Python
Raw Normal View History

from django.core.exceptions import ValidationError
2014-05-08 16:59:35 +00:00
from django.db import models
2014-11-27 19:17:26 +00:00
from django.utils.translation import ungettext, ugettext_lazy as _
2014-05-08 16:59:35 +00:00
2014-10-30 16:34:02 +00:00
from orchestra.core.validators import validate_ipv4_address, validate_ipv6_address, validate_ascii
2014-09-26 15:05:20 +00:00
from orchestra.utils.python import AttrDict
2014-05-08 16:59:35 +00:00
from . import settings, validators, utils
class Domain(models.Model):
name = models.CharField(_("name"), max_length=256, unique=True,
2015-04-05 10:46:24 +00:00
help_text=_("Domain or subdomain name."),
validators=[
validators.validate_domain_name,
validators.validate_allowed_domain
])
2014-11-14 15:51:18 +00:00
account = models.ForeignKey('accounts.Account', verbose_name=_("Account"), blank=True,
2015-04-05 10:46:24 +00:00
related_name='domains', help_text=_("Automatically selected for subdomains."))
2014-11-14 15:51:18 +00:00
top = models.ForeignKey('domains.Domain', null=True, related_name='subdomain_set',
2015-04-05 10:46:24 +00:00
editable=False)
2014-05-08 16:59:35 +00:00
serial = models.IntegerField(_("serial"), default=utils.generate_zone_serial,
2015-04-05 10:46:24 +00:00
help_text=_("Serial number"))
2014-05-08 16:59:35 +00:00
2015-04-02 16:14:55 +00:00
def __str__(self):
2014-05-08 16:59:35 +00:00
return self.name
2014-10-20 15:51:24 +00:00
@classmethod
2015-03-29 16:10:07 +00:00
def get_parent_domain(cls, name, top=False):
""" get the next domain on the chain """
2014-10-20 15:51:24 +00:00
split = name.split('.')
2015-03-29 16:10:07 +00:00
parent = None
2014-10-20 15:51:24 +00:00
for i in range(1, len(split)-1):
name = '.'.join(split[i:])
domain = Domain.objects.filter(name=name)
if domain:
2015-03-29 16:10:07 +00:00
parent = domain.get()
if not top:
return parent
return parent
2014-10-20 15:51:24 +00:00
2014-10-03 14:02:11 +00:00
@property
2014-05-08 16:59:35 +00:00
def origin(self):
return self.top or self
2014-10-03 14:02:11 +00:00
@property
2014-07-17 16:09:24 +00:00
def is_top(self):
2014-10-04 09:29:18 +00:00
# don't cache, don't replace by top_id
2014-07-17 16:09:24 +00:00
return not bool(self.top)
2014-11-05 20:22:01 +00:00
@property
def subdomains(self):
return Domain.objects.filter(name__regex='\.%s$' % self.name)
2015-03-01 11:56:54 +00:00
def clean(self):
self.name = self.name.lower()
def save(self, *args, **kwargs):
""" create top relation """
update = False
if not self.pk:
2015-03-29 16:10:07 +00:00
top = self.get_parent(top=True)
2015-03-01 11:56:54 +00:00
if top:
self.top = top
self.account_id = self.account_id or top.account_id
else:
update = True
super(Domain, self).save(*args, **kwargs)
if update:
for domain in self.subdomains.exclude(pk=self.pk):
# queryset.update() is not used because we want to trigger backend to delete ex-topdomains
domain.top = self
domain.save(update_fields=['top'])
2014-11-27 19:17:26 +00:00
def get_description(self):
if self.is_top:
num = self.subdomains.count()
return ungettext(
_("top domain with one subdomain"),
_("top domain with %d subdomains") % num,
num)
return _("subdomain")
2014-10-23 15:38:46 +00:00
def get_absolute_url(self):
return 'http://%s' % self.name
2015-05-05 19:42:55 +00:00
def get_declared_records(self):
2014-10-03 14:02:11 +00:00
""" proxy method, needed for input validation, see helpers.domain_for_validation """
2014-05-08 16:59:35 +00:00
return self.records.all()
2014-10-04 09:29:18 +00:00
def get_subdomains(self):
2014-10-03 14:02:11 +00:00
""" proxy method, needed for input validation, see helpers.domain_for_validation """
2014-11-10 15:40:51 +00:00
return self.origin.subdomain_set.all().prefetch_related('records')
2014-05-08 16:59:35 +00:00
2015-03-29 16:10:07 +00:00
def get_parent(self, top=False):
return self.get_parent_domain(self.name, top=top)
2014-05-08 16:59:35 +00:00
def render_zone(self):
origin = self.origin
zone = origin.render_records()
2015-03-04 21:06:16 +00:00
tail = []
2014-11-10 15:40:51 +00:00
for subdomain in origin.get_subdomains():
2015-03-04 21:06:16 +00:00
if subdomain.name.startswith('*'):
# This subdomains needs to be rendered last in order to avoid undesired matches
tail.append(subdomain)
else:
zone += subdomain.render_records()
for subdomain in sorted(tail, key=lambda x: len(x.name), reverse=True):
2014-05-08 16:59:35 +00:00
zone += subdomain.render_records()
return zone.strip()
2014-05-08 16:59:35 +00:00
def refresh_serial(self):
""" Increases the domain serial number by one """
serial = utils.generate_zone_serial()
if serial <= self.serial:
num = int(str(self.serial)[8:]) + 1
if num >= 99:
raise ValueError('No more serial numbers for today')
serial = str(self.serial)[:8] + '%.2d' % num
serial = int(serial)
self.serial = serial
self.save(update_fields=['serial'])
2014-05-08 16:59:35 +00:00
2015-05-05 19:42:55 +00:00
def get_records(self):
2014-05-08 16:59:35 +00:00
types = {}
2015-05-05 19:42:55 +00:00
records = utils.RecordStorage()
for record in self.get_declared_records():
2014-05-08 16:59:35 +00:00
types[record.type] = True
if record.type == record.SOA:
# Update serial and insert at 0
value = record.value.split()
value[2] = str(self.serial)
2014-11-14 15:51:18 +00:00
records.insert(0, AttrDict(
type=record.SOA,
ttl=record.get_ttl(),
value=' '.join(value)
))
2014-05-08 16:59:35 +00:00
else:
2014-11-14 15:51:18 +00:00
records.append(AttrDict(
type=record.type,
ttl=record.get_ttl(),
value=record.value
))
2014-10-03 14:02:11 +00:00
if self.is_top:
2014-05-08 16:59:35 +00:00
if Record.NS not in types:
for ns in settings.DOMAINS_DEFAULT_NS:
2014-11-14 15:51:18 +00:00
records.append(AttrDict(
type=Record.NS,
value=ns
))
2014-05-08 16:59:35 +00:00
if Record.SOA not in types:
soa = [
"%s." % settings.DOMAINS_DEFAULT_NAME_SERVER,
utils.format_hostmaster(settings.DOMAINS_DEFAULT_HOSTMASTER),
str(self.serial),
settings.DOMAINS_DEFAULT_REFRESH,
settings.DOMAINS_DEFAULT_RETRY,
settings.DOMAINS_DEFAULT_EXPIRATION,
settings.DOMAINS_DEFAULT_MIN_CACHING_TIME
]
2014-11-14 15:51:18 +00:00
records.insert(0, AttrDict(
type=Record.SOA,
value=' '.join(soa)
))
2015-05-18 15:21:42 +00:00
has_a = Record.A in types
has_aaaa = Record.AAAA in types
is_host = self.is_top or not types or has_a or has_aaaa
2015-04-20 14:23:10 +00:00
if is_host:
if Record.MX not in types:
for mx in settings.DOMAINS_DEFAULT_MX:
records.append(AttrDict(
type=Record.MX,
value=mx
))
2015-07-02 10:49:44 +00:00
if not has_a:
2015-05-18 15:21:42 +00:00
default_a = settings.DOMAINS_DEFAULT_A
if default_a:
records.append(AttrDict(
type=Record.A,
value=default_a
))
2015-07-02 10:49:44 +00:00
if not has_aaaa:
2015-05-18 15:21:42 +00:00
default_aaaa = settings.DOMAINS_DEFAULT_AAAA
if default_aaaa:
records.append(AttrDict(
type=Record.AAAA,
value=default_aaaa
))
2015-05-05 19:42:55 +00:00
return records
def render_records(self):
2014-05-08 16:59:35 +00:00
result = ''
2015-05-05 19:42:55 +00:00
for record in self.get_records():
2014-09-26 15:05:20 +00:00
name = '{name}.{spaces}'.format(
2014-11-14 15:51:18 +00:00
name=self.name,
spaces=' ' * (37-len(self.name))
2014-09-26 15:05:20 +00:00
)
ttl = record.get('ttl', settings.DOMAINS_DEFAULT_TTL)
ttl = '{spaces}{ttl}'.format(
2014-11-14 15:51:18 +00:00
spaces=' ' * (7-len(ttl)),
ttl=ttl
2014-09-26 15:05:20 +00:00
)
type = '{type} {spaces}'.format(
2014-11-14 15:51:18 +00:00
type=record.type,
spaces=' ' * (7-len(record.type))
2014-09-26 15:05:20 +00:00
)
result += '{name} {ttl} IN {type} {value}\n'.format(
2014-11-14 15:51:18 +00:00
name=name,
ttl=ttl,
type=type,
value=record.value
2014-09-26 15:05:20 +00:00
)
2014-05-08 16:59:35 +00:00
return result
2015-05-05 19:42:55 +00:00
def has_default_mx(self):
records = self.get_records()
for record in records.by_type('MX'):
for default in settings.DOMAINS_DEFAULT_MX:
if record.value.endswith(' %s' % default.split()[-1]):
return True
return False
2014-05-08 16:59:35 +00:00
class Record(models.Model):
""" Represents a domain resource record """
MX = 'MX'
NS = 'NS'
CNAME = 'CNAME'
A = 'A'
AAAA = 'AAAA'
SRV = 'SRV'
TXT = 'TXT'
SOA = 'SOA'
TYPE_CHOICES = (
(MX, "MX"),
(NS, "NS"),
(CNAME, "CNAME"),
(A, _("A (IPv4 address)")),
(AAAA, _("AAAA (IPv6 address)")),
(SRV, "SRV"),
(TXT, "TXT"),
(SOA, "SOA"),
)
domain = models.ForeignKey(Domain, verbose_name=_("domain"), related_name='records')
2014-09-26 15:05:20 +00:00
ttl = models.CharField(_("TTL"), max_length=8, blank=True,
2015-04-05 10:46:24 +00:00
help_text=_("Record TTL, defaults to %s") % settings.DOMAINS_DEFAULT_TTL,
validators=[validators.validate_zone_interval])
2014-09-26 15:05:20 +00:00
type = models.CharField(_("type"), max_length=32, choices=TYPE_CHOICES)
value = models.CharField(_("value"), max_length=256, help_text=_("MX, NS and CNAME records "
"sould end with a dot."))
2014-05-08 16:59:35 +00:00
2015-04-02 16:14:55 +00:00
def __str__(self):
2014-09-26 15:05:20 +00:00
return "%s %s IN %s %s" % (self.domain, self.get_ttl(), self.type, self.value)
2014-05-08 16:59:35 +00:00
def clean(self):
""" validates record value based on its type """
# validate value
2015-05-12 12:38:40 +00:00
if self.type != self.TXT:
self.value = self.value.lower().strip()
2014-11-05 20:22:01 +00:00
choices = {
2014-05-08 16:59:35 +00:00
self.MX: validators.validate_mx_record,
self.NS: validators.validate_zone_label,
self.A: validate_ipv4_address,
self.AAAA: validate_ipv6_address,
self.CNAME: validators.validate_zone_label,
self.TXT: validate_ascii,
self.SRV: validators.validate_srv_record,
self.SOA: validators.validate_soa_record,
}
2014-11-05 20:22:01 +00:00
try:
choices[self.type](self.value)
2015-04-01 15:49:21 +00:00
except ValidationError as error:
2014-11-05 20:22:01 +00:00
raise ValidationError({'value': error})
2014-09-26 15:05:20 +00:00
def get_ttl(self):
return self.ttl or settings.DOMAINS_DEFAULT_TTL