models.py
9.3 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
# -*- coding: utf-8 -*-
import datetime
from hashlib import md5
from django.db import models
from django.conf import settings
from django.contrib.auth.models import User
from django.core.urlresolvers import reverse, NoReverseMatch
from django.utils.translation import ugettext_lazy as _
class NotSpamManager(models.Manager):
"""Only return objects which are not marked as spam."""
def get_query_set(self):
return super(NotSpamManager, self).get_query_set().exclude(spam=True)
class PageHit(models.Model):
url_path = models.CharField(max_length=2048, unique=True, db_index=True)
hit_count = models.IntegerField(default=0)
class EmailAddress(models.Model):
user = models.ForeignKey(User, null=True, related_name='emails')
address = models.EmailField(unique=True)
real_name = models.CharField(max_length=64, blank=True, db_index=True)
md5 = models.CharField(max_length=32, null=True)
def save(self, *args, **kwargs):
self.md5 = md5(self.address).hexdigest()
super(EmailAddress, self).save(*args, **kwargs)
def get_full_name(self):
if self.user and self.user.get_full_name():
return self.user.get_full_name()
elif self.user and self.username:
return self.username
elif self.real_name:
return self.real_name
def get_profile_link(self):
if self.user:
return reverse('user_profile', args=[self.user.username])
else:
return reverse('colab.views.userprofile.by_emailhash',
args=[self.md5])
def __unicode__(self):
return '"%s" <%s>' % (self.get_full_name(), self.address)
class UserProfile(models.Model):
user = models.OneToOneField(User, unique=True)
institution = models.CharField(max_length=128, null=True)
role = models.CharField(max_length=128, null=True)
twitter = models.CharField(max_length=128, null=True)
facebook = models.CharField(max_length=128, null=True)
google_talk = models.EmailField(null=True)
webpage = models.CharField(max_length=256)
verification_hash = models.CharField(max_length=32, null=True)
class Meta:
verbose_name = _(u"User Profile")
verbose_name_plural = _(u"Users Profiles")
def __unicode__(self):
return '%s (%s)' % (self.user.get_full_name(), self.user.username)
# This does the same the same than related_name argument but it also creates
# a profile in the case it doesn't exist yet.
User.profile = property(lambda u: UserProfile.objects.get_or_create(user=u)[0])
class MailingList(models.Model):
name = models.CharField(max_length=80)
email = models.EmailField()
description = models.TextField()
logo = models.FileField(upload_to='list_logo') #TODO
last_imported_index = models.IntegerField(default=0)
def __unicode__(self):
return self.name
class MailingListMembership(models.Model):
user = models.ForeignKey(User)
mailinglist = models.ForeignKey(MailingList)
def __unicode__(self):
return '%s on %s' % (self.user.username, self.mailinglist.name)
class Thread(models.Model):
subject_token = models.CharField(max_length=512)
mailinglist = models.ForeignKey(MailingList,
verbose_name=_(u"Mailing List"),
help_text=_(u"The Mailing List where is the thread"))
latest_message = models.OneToOneField('Message', null=True,
related_name='+',
verbose_name=_(u"Latest message"),
help_text=_(u"Latest message posted"))
score = models.IntegerField(default=0, verbose_name=_(u"Score"), help_text=_(u"Thread score"))
spam = models.BooleanField(default=False)
all_objects = models.Manager()
objects = NotSpamManager()
class Meta:
verbose_name = _(u"Thread")
verbose_name_plural = _(u"Threads")
unique_together = ('subject_token', 'mailinglist')
def __unicode__(self):
return '%s - %s (%s)' % (self.id,
self.subject_token,
self.message_set.count())
def update_score(self):
"""Update the relevance score for this thread.
The score is calculated with the following variables:
* vote_weight: 100 - (minus) 1 for each 3 days since
voted with minimum of 5.
* replies_weight: 300 - (minus) 1 for each 3 days since
replied with minimum of 5.
* page_view_weight: 10.
* vote_score: sum(vote_weight)
* replies_score: sum(replies_weight)
* page_view_score: sum(page_view_weight)
* score = (vote_score + replies_score + page_view_score) // 10
with minimum of 0 and maximum of 5000
"""
if not self.subject_token:
return
# Save this pseudo now to avoid calling the
# function N times in the loops below
now = datetime.datetime.now()
days_ago = lambda date: (now - date).days
get_score = lambda weight, created: \
max(weight - (days_ago(created) // 3), 5)
vote_score = 0
replies_score = 0
for msg in self.message_set.all():
# Calculate replies_score
replies_score += get_score(300, msg.received_time)
# Calculate vote_score
for vote in msg.vote_set.all():
vote_score += get_score(100, vote.created)
# Calculate page_view_score
try:
url = reverse('thread_view', args=[self.mailinglist.name,
self.subject_token])
pagehit = PageHit.objects.get(url_path=url)
page_view_score = pagehit.hit_count * 10
except (NoReverseMatch, PageHit.DoesNotExist):
page_view_score = 0
self.score = (page_view_score + vote_score + replies_score) // 10
self.save()
class Vote(models.Model):
user = models.ForeignKey(User)
message = models.ForeignKey('Message')
created = models.DateTimeField(auto_now_add=True)
class Meta:
unique_together = ('user', 'message')
def __unicode__(self):
return 'Vote on %s by %s' % (self.Message.id,
self.user.username)
class Message(models.Model):
from_address = models.ForeignKey(EmailAddress, db_index=True)
thread = models.ForeignKey(Thread, null=True, db_index=True)
# RFC 2822 recommends to use 78 chars + CRLF (so 80 chars) for
# the max_length of a subject but most of implementations
# goes for 256. We use 512 just in case.
subject = models.CharField(max_length=512, db_index=True,
verbose_name=_(u"Subject"),
help_text=_(u"Please enter a message subject"))
subject_clean = models.CharField(max_length=512, db_index=True)
body = models.TextField(default='',
verbose_name=_(u"Message body"),
help_text=_(u"Please enter a message body"))
received_time = models.DateTimeField()
message_id = models.CharField(max_length=512)
spam = models.BooleanField(default=False)
all_objects = models.Manager()
objects = NotSpamManager()
class Meta:
verbose_name = _(u"Message")
verbose_name_plural = _(u"Messages")
unique_together = ('thread', 'message_id')
def __unicode__(self):
return '(%s) %s: %s' % (self.id,
self.from_address.get_full_name(),
self.subject_clean)
@property
def mailinglist(self):
if not self.thread or not self.thread.mailinglist:
return None
return self.thread.mailinglist
def vote_list(self):
"""Return a list of user that voted in this message."""
return [vote.user for vote in self.vote_set.all()]
def votes_count(self):
return len(self.vote_list())
def vote(self, user):
Vote.objects.create(
message=self,
user=user
)
def unvote(self, user):
Vote.objects.get(
message=self,
user=user
).delete()
@property
def url(self):
"""Shortcut to get thread url"""
return reverse('thread_view', args=[self.mailinglist.name,
self.thread.subject_token])
@property
def Description(self):
"""Alias to self.body"""
return self.body
@property
def Title(self):
"""Alias to self.subject_clean"""
return self.subject_clean
@property
def modified(self):
"""Alias to self.modified"""
return self.received_time
class MessageMetadata(models.Model):
Message = models.ForeignKey(Message)
# Same problem here than on subjects. Read comment above
# on Message.subject
name = models.CharField(max_length=512)
value = models.TextField()
def __unicode__(self):
return 'Email Message Id: %s - %s: %s' % (self.Message.id,
self.name, self.value)