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