models.py 7.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176
  1. # -*- coding: utf-8 -*-
  2. from __future__ import unicode_literals
  3. from django.db import models
  4. from django.core.exceptions import ValidationError
  5. from django.conf import settings
  6. from django.core.urlresolvers import reverse
  7. from netfields import InetAddressField, NetManager
  8. import ldapdb.models
  9. from ldapdb.models.fields import CharField, ListField
  10. from coin.mixins import CoinLdapSyncMixin
  11. from coin.configuration.models import Configuration
  12. # from coin.offers.backends import ValidateBackendType
  13. from coin import utils
  14. from coin import validation
  15. class VPNConfiguration(CoinLdapSyncMixin, Configuration):
  16. url_namespace = "vpn"
  17. # backend_name = "openvpn_ldap"
  18. # administrative_subscription = models.OneToOneField(
  19. # 'offers.OfferSubscription',
  20. # related_name=backend_name,
  21. # validators=[ValidateBackendType(backend_name)])
  22. activated = models.BooleanField(default=False, verbose_name='activé')
  23. login = models.CharField(max_length=50, unique=True, blank=True,
  24. verbose_name="identifiant",
  25. help_text="Laisser vide pour une génération automatique")
  26. password = models.CharField(max_length=256, verbose_name="mot de passe",
  27. blank=True, null=True)
  28. ipv4_endpoint = InetAddressField(validators=[validation.validate_v4],
  29. verbose_name="IPv4", blank=True, null=True,
  30. help_text="Adresse IPv4 utilisée par "
  31. "défaut sur le VPN")
  32. ipv6_endpoint = InetAddressField(validators=[validation.validate_v6],
  33. verbose_name="IPv6", blank=True, null=True,
  34. help_text="Adresse IPv6 utilisée par "
  35. "défaut sur le VPN")
  36. crypto_link = models.URLField(verbose_name="Matériel cryptographique", blank=True,
  37. null=True, help_text="Lien à usage unique (détruit après ouverture)")
  38. objects = NetManager()
  39. def get_absolute_url(self):
  40. return reverse('vpn:details', args=[str(self.pk)])
  41. # This method is part of the general configuration interface.
  42. def subnet_event(self):
  43. self.check_endpoints(delete=True)
  44. # We potentially changed the endpoints, so we need to save. Also,
  45. # saving will update the subnets in the LDAP backend.
  46. self.full_clean()
  47. self.save()
  48. def get_subnets(self, version):
  49. subnets = self.ip_subnet.all()
  50. return [subnet for subnet in subnets if subnet.inet.version == version]
  51. def sync_to_ldap(self, creation, *args, **kwargs):
  52. if creation:
  53. config = LdapVPNConfig()
  54. else:
  55. config = LdapVPNConfig.objects.get(pk=self.login)
  56. config.login = config.sn = self.login
  57. config.password = self.password
  58. config.active = 'yes' if self.activated else 'no'
  59. config.ipv4_endpoint = utils.str_or_none(self.ipv4_endpoint)
  60. config.ipv6_endpoint = utils.str_or_none(self.ipv6_endpoint)
  61. config.ranges_v4 = [str(s) for s in self.get_subnets(4)]
  62. config.ranges_v6 = [str(s) for s in self.get_subnets(6)]
  63. config.save()
  64. def delete_from_ldap(self):
  65. LdapVPNConfig.objects.get(pk=self.login).delete()
  66. def generate_endpoints(self, v4=True, v6=True):
  67. """Generate IP endpoints in one of the attributed IP subnets. If there is
  68. no available subnet for a given address family, then no endpoint
  69. is generated for this address family. If there already is an
  70. endpoint, do nothing.
  71. Returns True if an endpoint was generated.
  72. TODO: this should be factored for other technologies (DSL, etc)
  73. """
  74. subnets = self.ip_subnet.all()
  75. updated = False
  76. if v4 and self.ipv4_endpoint is None:
  77. subnets_v4 = [s for s in subnets if s.inet.version == 4]
  78. if len(subnets_v4) > 0:
  79. self.ipv4_endpoint = subnets_v4[0].inet.ip
  80. updated = True
  81. if v6 and self.ipv6_endpoint is None:
  82. subnets_v6 = [s for s in subnets if s.inet.version == 6]
  83. if len(subnets_v6) > 0:
  84. # With v6, we choose the second host of the subnet (cafe::1)
  85. gen = subnets_v6[0].inet.iter_hosts()
  86. gen.next()
  87. self.ipv6_endpoint = gen.next()
  88. updated = True
  89. return updated
  90. def check_endpoints(self, delete=False):
  91. """Check that the IP endpoints are included in one of the attributed IP
  92. subnets.
  93. If [delete] is True, then simply delete the faulty endpoints
  94. instead of raising an exception.
  95. """
  96. error = "L'IP {} n'est pas dans un réseau attribué."
  97. subnets = self.ip_subnet.all()
  98. is_faulty = lambda endpoint : endpoint and not any([endpoint in subnet.inet for subnet in subnets])
  99. if is_faulty(self.ipv4_endpoint):
  100. if delete:
  101. self.ipv4_endpoint = None
  102. else:
  103. raise ValidationError(error.format(self.ipv4_endpoint))
  104. if is_faulty(self.ipv6_endpoint):
  105. if delete:
  106. self.ipv6_endpoint = None
  107. else:
  108. raise ValidationError(error.format(self.ipv6_endpoint))
  109. def clean(self):
  110. # Generate VPN login, of the form "login-vpnX". The resulting
  111. # login should not contain any ".", because graphite uses "." as a
  112. # separator.
  113. if not self.login:
  114. username = self.offersubscription.member.username
  115. vpns = VPNConfiguration.objects.filter(offersubscription__member__username=username)
  116. # This is the list of existing VPN logins for this user.
  117. logins = [vpn.login for vpn in vpns]
  118. # 100 VPNs ought to be enough for anybody.
  119. for login in ["{}-vpn{}".format(username, k) for k in range(1, 101)]:
  120. if login not in logins:
  121. self.login = login
  122. break
  123. # We may have failed.
  124. if not self.login:
  125. ValidationError("Impossible de générer un login VPN")
  126. # Hash password if needed
  127. self.password = utils.ldap_hash(self.password)
  128. # If saving for the first time and IP endpoints are not specified,
  129. # generate them automatically.
  130. if self.pk is None:
  131. self.generate_endpoints()
  132. self.check_endpoints()
  133. def __unicode__(self):
  134. return 'VPN ' + self.login
  135. class Meta:
  136. verbose_name = 'VPN'
  137. verbose_name_plural = 'VPN'
  138. class LdapVPNConfig(ldapdb.models.Model):
  139. base_dn = settings.VPN_CONF_BASE_DN
  140. object_classes = [b'person', b'organizationalPerson', b'inetOrgPerson',
  141. b'top', b'radiusprofile']
  142. login = CharField(db_column=b'cn', primary_key=True, max_length=255)
  143. sn = CharField(db_column=b'sn', max_length=255)
  144. password = CharField(db_column=b'userPassword', max_length=255)
  145. active = CharField(db_column=b'dialupAccess', max_length=3)
  146. ipv4_endpoint = CharField(db_column=b'radiusFramedIPAddress', max_length=16)
  147. ipv6_endpoint = CharField(db_column=b'postalAddress', max_length=40)
  148. ranges_v4 = ListField(db_column=b'radiusFramedRoute')
  149. ranges_v6 = ListField(db_column=b'registeredAddress')
  150. def __unicode__(self):
  151. return self.login
  152. class Meta:
  153. managed = False # Indique à South de ne pas gérer le model LdapUser