blob: 6b5b061239c0b660315bfee0101f22bb197dc0d8 [file] [log] [blame]
Siobhan Tully53437282013-04-26 19:30:27 -04001import os
2import datetime
Tony Mackc14de8f2013-05-09 21:44:17 -04003from collections import defaultdict
Siobhan Tully53437282013-04-26 19:30:27 -04004from django.db import models
Tony Mack5b061472014-02-04 07:57:10 -05005from django.db.models import F, Q
Scott Baker2c3cb642014-05-19 17:55:56 -07006from core.models import PlCoreBase,Site, DashboardView
Sapan Bhatiaf7b29d22014-06-11 17:10:11 -04007from core.models.site import Deployment
Siobhan Tully30fd4292013-05-10 08:59:56 -04008from django.contrib.auth.models import AbstractBaseUser, BaseUserManager
Scott Baker9266e6b2013-05-19 15:54:48 -07009from timezones.fields import TimeZoneField
Scott Baker2c3cb642014-05-19 17:55:56 -070010from operator import itemgetter, attrgetter
Scott Bakera36d77e2014-08-29 11:43:23 -070011from django.core.mail import EmailMultiAlternatives
12from core.middleware import get_request
Siobhan Tully53437282013-04-26 19:30:27 -040013
14# Create your models here.
Siobhan Tully30fd4292013-05-10 08:59:56 -040015class UserManager(BaseUserManager):
Siobhan Tully53437282013-04-26 19:30:27 -040016 def create_user(self, email, firstname, lastname, password=None):
17 """
18 Creates and saves a User with the given email, date of
19 birth and password.
20 """
21 if not email:
22 raise ValueError('Users must have an email address')
23
24 user = self.model(
Siobhan Tully30fd4292013-05-10 08:59:56 -040025 email=UserManager.normalize_email(email),
Siobhan Tully53437282013-04-26 19:30:27 -040026 firstname=firstname,
Siobhan Tully30fd4292013-05-10 08:59:56 -040027 lastname=lastname,
28 password=password
Siobhan Tully53437282013-04-26 19:30:27 -040029 )
Siobhan Tully30fd4292013-05-10 08:59:56 -040030 #user.set_password(password)
Siobhan Tully53437282013-04-26 19:30:27 -040031 user.is_admin = True
32 user.save(using=self._db)
33 return user
34
35 def create_superuser(self, email, firstname, lastname, password):
36 """
37 Creates and saves a superuser with the given email, date of
38 birth and password.
39 """
40 user = self.create_user(email,
41 password=password,
42 firstname=firstname,
43 lastname=lastname
44 )
45 user.is_admin = True
46 user.save(using=self._db)
47 return user
48
Sapan Bhatia5d605ff2014-07-21 20:08:04 -040049class DeletedUserManager(UserManager):
50 def get_query_set(self):
51 return super(UserManager, self).get_query_set().filter(deleted=True)
Siobhan Tully53437282013-04-26 19:30:27 -040052
Siobhan Tully30fd4292013-05-10 08:59:56 -040053class User(AbstractBaseUser):
Siobhan Tully53437282013-04-26 19:30:27 -040054
55 class Meta:
56 app_label = "core"
57
58 email = models.EmailField(
59 verbose_name='email address',
60 max_length=255,
61 unique=True,
62 db_index=True,
63 )
Siobhan Tullyfece0d52013-09-06 12:57:05 -040064
65 username = models.CharField(max_length=255, default="Something" )
66
Siobhan Tully53437282013-04-26 19:30:27 -040067 firstname = models.CharField(help_text="person's given name", max_length=200)
68 lastname = models.CharField(help_text="person's surname", max_length=200)
69
70 phone = models.CharField(null=True, blank=True, help_text="phone number contact", max_length=100)
71 user_url = models.URLField(null=True, blank=True)
Siobhan Tullybfd11dc2013-09-03 12:59:24 -040072 site = models.ForeignKey(Site, related_name='users', help_text="Site this user will be homed too", null=True)
Tony Mack5cbadf82013-06-10 13:56:07 -040073 public_key = models.TextField(null=True, blank=True, max_length=1024, help_text="Public key string")
Siobhan Tully53437282013-04-26 19:30:27 -040074
75 is_active = models.BooleanField(default=True)
76 is_admin = models.BooleanField(default=True)
77 is_staff = models.BooleanField(default=True)
Siobhan Tullycf04fb62014-01-11 11:25:57 -050078 is_readonly = models.BooleanField(default=False)
Siobhan Tully53437282013-04-26 19:30:27 -040079
Tony Mack0553f282013-06-10 22:54:50 -040080 created = models.DateTimeField(auto_now_add=True)
81 updated = models.DateTimeField(auto_now=True)
82 enacted = models.DateTimeField(null=True, default=None)
Sapan Bhatia47b9bf22014-04-28 21:09:53 -040083 backend_status = models.CharField(max_length=140,
Sapan Bhatiad507f432014-04-29 00:41:39 -040084 default="Provisioning in progress")
Sapan Bhatiabcc18992014-04-29 10:32:14 -040085 deleted = models.BooleanField(default=False)
Tony Mack0553f282013-06-10 22:54:50 -040086
Scott Baker9266e6b2013-05-19 15:54:48 -070087 timezone = TimeZoneField()
88
Scott Baker2c3cb642014-05-19 17:55:56 -070089 dashboards = models.ManyToManyField('DashboardView', through='UserDashboardView', blank=True)
90
Siobhan Tully30fd4292013-05-10 08:59:56 -040091 objects = UserManager()
Sapan Bhatia5d605ff2014-07-21 20:08:04 -040092 deleted_objects = DeletedUserManager()
Siobhan Tully53437282013-04-26 19:30:27 -040093
94 USERNAME_FIELD = 'email'
95 REQUIRED_FIELDS = ['firstname', 'lastname']
96
Siobhan Tullycf04fb62014-01-11 11:25:57 -050097 def isReadOnlyUser(self):
98 return self.is_readonly
99
Siobhan Tully53437282013-04-26 19:30:27 -0400100 def get_full_name(self):
101 # The user is identified by their email address
102 return self.email
103
104 def get_short_name(self):
105 # The user is identified by their email address
106 return self.email
107
Sapan Bhatia5d605ff2014-07-21 20:08:04 -0400108 def delete(self, *args, **kwds):
109 # so we have something to give the observer
110 purge = kwds.get('purge',False)
111 try:
112 purge = purge or observer_disabled
113 except NameError:
114 pass
115
116 if (purge):
117 super(User, self).delete(*args, **kwds)
118 else:
119 self.deleted = True
120 self.enacted=None
121 self.save(update_fields=['enacted','deleted'])
122
Tony Mackb0d97422013-06-10 09:57:45 -0400123 @property
124 def keyname(self):
125 return self.email[:self.email.find('@')]
126
Siobhan Tully53437282013-04-26 19:30:27 -0400127 def __unicode__(self):
128 return self.email
129
130 def has_perm(self, perm, obj=None):
131 "Does the user have a specific permission?"
132 # Simplest possible answer: Yes, always
133 return True
134
135 def has_module_perms(self, app_label):
136 "Does the user have permissions to view the app `app_label`?"
137 # Simplest possible answer: Yes, always
138 return True
139
Siobhan Tullybfd11dc2013-09-03 12:59:24 -0400140 def is_superuser(self):
141 return False
Siobhan Tully53437282013-04-26 19:30:27 -0400142
Scott Baker2c3cb642014-05-19 17:55:56 -0700143 def get_dashboards(self):
144 DEFAULT_DASHBOARDS=["Tenant"]
145
146 dashboards = sorted(list(self.dashboardViews.all()), key=attrgetter('order'))
147 dashboards = [x.dashboardView for x in dashboards]
148
149 if not dashboards:
150 for dashboardName in DEFAULT_DASHBOARDS:
151 dbv = DashboardView.objects.filter(name=dashboardName)
152 if dbv:
153 dashboards.append(dbv[0])
154
155 return dashboards
156
Siobhan Tullybfd11dc2013-09-03 12:59:24 -0400157# def get_roles(self):
158# from core.models.site import SitePrivilege
159# from core.models.slice import SliceMembership
160#
161# site_privileges = SitePrivilege.objects.filter(user=self)
162# slice_memberships = SliceMembership.objects.filter(user=self)
163# roles = defaultdict(list)
164# for site_privilege in site_privileges:
165# roles[site_privilege.role.role_type].append(site_privilege.site.login_base)
166# for slice_membership in slice_memberships:
167# roles[slice_membership.role.role_type].append(slice_membership.slice.name)
168# return roles
Siobhan Tully53437282013-04-26 19:30:27 -0400169
Tony Mack53106f32013-04-27 16:43:01 -0400170 def save(self, *args, **kwds):
Siobhan Tully30fd4292013-05-10 08:59:56 -0400171 if not self.id:
Scott Bakera36d77e2014-08-29 11:43:23 -0700172 self.set_password(self.password)
173 if self.is_active:
174 if self.password=="!":
175 self.send_temporary_password()
176
Siobhan Tullyfece0d52013-09-06 12:57:05 -0400177 self.username = self.email
Scott Bakera36d77e2014-08-29 11:43:23 -0700178 super(User, self).save(*args, **kwds)
179
180 def send_temporary_password(self):
181 password = User.objects.make_random_password()
182 self.set_password(password)
183 subject, from_email, to = 'OpenCloud Account Credentials', 'support@opencloud.us', str(self.email)
184 text_content = 'This is an important message.'
Scott Baker51e7d402014-08-29 12:32:46 -0700185 userUrl="http://%s/" % get_request().get_host()
Scott Bakera36d77e2014-08-29 11:43:23 -0700186 html_content = """<p>Your account has been created on OpenCloud. Please log in <a href="""+userUrl+""">here</a> to activate your account<br><br>Username: """+self.email+"""<br>Temporary Password: """+password+"""<br>Please change your password once you successully login into the site.</p>"""
187 msg = EmailMultiAlternatives(subject,text_content, from_email, [to])
188 msg.attach_alternative(html_content, "text/html")
189 msg.send()
Tony Mack5b061472014-02-04 07:57:10 -0500190
191 @staticmethod
192 def select_by_user(user):
193 if user.is_admin:
194 qs = User.objects.all()
195 else:
196 # can see all users at any site where this user has pi role
197 from core.models.site import SitePrivilege
198 site_privs = SitePrivilege.objects.filter(user=user)
199 sites = [sp.site for sp in site_privs if sp.role.role == 'pi']
200 # get site privs of users at these sites
201 site_privs = SitePrivilege.objects.filter(site__in=sites)
Scott Bakera36d77e2014-08-29 11:43:23 -0700202 user_ids = [sp.user.id for sp in site_privs] + [user.id]
Tony Mack5b061472014-02-04 07:57:10 -0500203 qs = User.objects.filter(Q(site__in=sites) | Q(id__in=user_ids))
Scott Bakera36d77e2014-08-29 11:43:23 -0700204 return qs
Tony Mack5b061472014-02-04 07:57:10 -0500205
Scott Baker2c3cb642014-05-19 17:55:56 -0700206class UserDashboardView(PlCoreBase):
207 user = models.ForeignKey(User, related_name="dashboardViews")
208 dashboardView = models.ForeignKey(DashboardView, related_name="dashboardViews")
209 order = models.IntegerField(default=0)