2 from datetime import date
3 from django import forms
4 from forum.models import *
5 from django.utils.translation import ugettext as _
6 from django.contrib.humanize.templatetags.humanize import apnumber
8 from django.utils.safestring import mark_safe
9 from general import NextUrlField, UserNameField, SetPasswordForm
10 from forum import settings
13 class TitleField(forms.CharField):
14 def __init__(self, *args, **kwargs):
15 super(TitleField, self).__init__(*args, **kwargs)
17 self.widget = forms.TextInput(attrs={'size' : 70, 'autocomplete' : 'off'})
19 self.label = _('title')
20 self.help_text = _('please enter a descriptive title for your question')
23 def clean(self, value):
24 if len(value) < settings.FORM_MIN_QUESTION_TITLE:
25 raise forms.ValidationError(_('title must be must be at least %s characters') % settings.FORM_MIN_QUESTION_TITLE)
29 class EditorField(forms.CharField):
30 def __init__(self, *args, **kwargs):
31 super(EditorField, self).__init__(*args, **kwargs)
32 self.widget = forms.Textarea(attrs={'id':'editor'})
33 self.label = _('content')
38 class QuestionEditorField(EditorField):
39 def __init__(self, *args, **kwargs):
40 super(QuestionEditorField, self).__init__(*args, **kwargs)
41 self.required = not bool(settings.FORM_EMPTY_QUESTION_BODY)
44 def clean(self, value):
45 if not bool(settings.FORM_EMPTY_QUESTION_BODY) and (len(re.sub('[ ]{2,}', ' ', value)) < settings.FORM_MIN_QUESTION_BODY):
46 raise forms.ValidationError(_('question content must be at least %s characters') % settings.FORM_MIN_QUESTION_BODY)
50 class AnswerEditorField(EditorField):
51 def __init__(self, *args, **kwargs):
52 super(AnswerEditorField, self).__init__(*args, **kwargs)
55 def clean(self, value):
56 if len(re.sub('[ ]{2,}', ' ', value)) < settings.FORM_MIN_QUESTION_BODY:
57 raise forms.ValidationError(_('answer content must be at least %s characters') % settings.FORM_MIN_QUESTION_BODY)
62 class TagNamesField(forms.CharField):
63 def __init__(self, user=None, *args, **kwargs):
64 super(TagNamesField, self).__init__(*args, **kwargs)
66 self.widget = forms.TextInput(attrs={'size' : 50, 'autocomplete' : 'off'})
68 self.label = _('tags')
69 #self.help_text = _('please use space to separate tags (this enables autocomplete feature)')
70 self.help_text = _('Tags are short keywords, with no spaces within. At least %(min)s and up to %(max)s tags can be used.') % {
71 'min': settings.FORM_MIN_NUMBER_OF_TAGS, 'max': settings.FORM_MAX_NUMBER_OF_TAGS
76 def clean(self, value):
77 value = super(TagNamesField, self).clean(value)
78 data = value.strip().lower()
80 split_re = re.compile(r'[ ,]+')
82 for tag in split_re.split(data):
85 if len(list) > settings.FORM_MAX_NUMBER_OF_TAGS or len(list) < settings.FORM_MIN_NUMBER_OF_TAGS:
86 raise forms.ValidationError(_('please use between %(min)s and %(max)s tags') % { 'min': settings.FORM_MIN_NUMBER_OF_TAGS, 'max': settings.FORM_MAX_NUMBER_OF_TAGS})
89 tagname_re = re.compile(r'^[\w+\.-]+$', re.UNICODE)
90 for key,tag in list.items():
91 if len(tag) > settings.FORM_MAX_LENGTH_OF_TAG or len(tag) < settings.FORM_MIN_LENGTH_OF_TAG:
92 raise forms.ValidationError(_('please use between %(min)s and %(max)s characters in you tags') % { 'min': settings.FORM_MIN_LENGTH_OF_TAG, 'max': settings.FORM_MAX_LENGTH_OF_TAG})
93 if not tagname_re.match(tag):
94 raise forms.ValidationError(_('please use following characters in tags: letters , numbers, and characters \'.-_\''))
95 # only keep one same tag
96 if tag not in list_temp and len(tag.strip()) > 0:
99 if settings.LIMIT_TAG_CREATION and not self.user.can_create_tags():
100 existent = Tag.objects.filter(name__in=list_temp).values_list('name', flat=True)
102 if len(existent) < len(list_temp):
103 unexistent = [n for n in list_temp if not n in existent]
104 raise forms.ValidationError(_("You don't have enough reputation to create new tags. The following tags do not exist yet: %s") %
105 ', '.join(unexistent))
108 return u' '.join(list_temp)
110 class WikiField(forms.BooleanField):
111 def __init__(self, disabled=False, *args, **kwargs):
112 super(WikiField, self).__init__(*args, **kwargs)
113 self.required = False
114 self.label = _('community wiki')
115 self.help_text = _('if you choose community wiki option, the question and answer do not generate points and name of author will not be shown')
117 self.widget=forms.CheckboxInput(attrs={'disabled': "disabled"})
118 def clean(self,value):
121 class EmailNotifyField(forms.BooleanField):
122 def __init__(self, *args, **kwargs):
123 super(EmailNotifyField, self).__init__(*args, **kwargs)
124 self.required = False
125 self.widget.attrs['class'] = 'nomargin'
127 class SummaryField(forms.CharField):
128 def __init__(self, *args, **kwargs):
129 super(SummaryField, self).__init__(*args, **kwargs)
130 self.required = False
131 self.widget = forms.TextInput(attrs={'size' : 50, 'autocomplete' : 'off'})
132 self.max_length = 300
133 self.label = _('update summary:')
134 self.help_text = _('enter a brief summary of your revision (e.g. fixed spelling, grammar, improved style, this field is optional)')
137 class FeedbackForm(forms.Form):
138 message = forms.CharField(label=_('Your message:'), max_length=800,widget=forms.Textarea(attrs={'cols':60}))
139 next = NextUrlField()
141 def __init__(self, user, *args, **kwargs):
142 super(FeedbackForm, self).__init__(*args, **kwargs)
143 if not user.is_authenticated():
144 self.fields['name'] = forms.CharField(label=_('Your name:'), required=False)
145 self.fields['email'] = forms.EmailField(label=_('Email (not shared with anyone):'), required=True)
149 class AskForm(forms.Form):
151 text = QuestionEditorField()
153 def __init__(self, data=None, user=None, *args, **kwargs):
154 super(AskForm, self).__init__(data, *args, **kwargs)
156 self.fields['tags'] = TagNamesField(user)
159 self.fields['wiki'] = WikiField()
161 class AnswerForm(forms.Form):
162 text = AnswerEditorField()
165 def __init__(self, question, *args, **kwargs):
166 super(AnswerForm, self).__init__(*args, **kwargs)
169 self.fields['wiki'] = WikiField()
171 #if question.nis.wiki:
172 # self.fields['wiki'].initial = True
175 class RetagQuestionForm(forms.Form):
176 tags = TagNamesField()
177 # initialize the default values
178 def __init__(self, question, *args, **kwargs):
179 super(RetagQuestionForm, self).__init__(*args, **kwargs)
180 self.fields['tags'].initial = question.tagnames
182 class RevisionForm(forms.Form):
184 Lists revisions of a Question or Answer
186 revision = forms.ChoiceField(widget=forms.Select(attrs={'style' : 'width:520px'}))
188 def __init__(self, post, *args, **kwargs):
189 super(RevisionForm, self).__init__(*args, **kwargs)
191 revisions = post.revisions.all().values_list('revision', 'author__username', 'revised_at', 'summary').order_by('-revised_at')
194 self.fields['revision'].choices = [
195 (r[0], u'%s - %s (%s) %s' % (r[0], r[1], r[2].strftime(date_format), r[3]))
198 self.fields['revision'].initial = post.active_revision.revision
200 class EditQuestionForm(forms.Form):
202 text = QuestionEditorField()
203 summary = SummaryField()
205 def __init__(self, question, user, revision=None, *args, **kwargs):
206 super(EditQuestionForm, self).__init__(*args, **kwargs)
209 revision = question.active_revision
211 self.fields['title'].initial = revision.title
212 self.fields['text'].initial = revision.body
214 self.fields['tags'] = TagNamesField(user)
215 self.fields['tags'].initial = revision.tagnames
218 self.fields['wiki'] = WikiField(disabled=(question.nis.wiki and not user.can_cancel_wiki(question)), initial=question.nis.wiki)
220 class EditAnswerForm(forms.Form):
221 text = AnswerEditorField()
222 summary = SummaryField()
224 def __init__(self, answer, user, revision=None, *args, **kwargs):
225 super(EditAnswerForm, self).__init__(*args, **kwargs)
228 revision = answer.active_revision
230 self.fields['text'].initial = revision.body
233 self.fields['wiki'] = WikiField(disabled=(answer.nis.wiki and not user.can_cancel_wiki(answer)), initial=answer.nis.wiki)
235 class EditUserForm(forms.Form):
236 email = forms.EmailField(label=u'Email', help_text=_('this email does not have to be linked to gravatar'), required=True, max_length=75, widget=forms.TextInput(attrs={'size' : 35}))
237 realname = forms.CharField(label=_('Real name'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
238 website = forms.URLField(label=_('Website'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
239 city = forms.CharField(label=_('Location'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
240 birthday = forms.DateField(label=_('Date of birth'), help_text=_('will not be shown, used to calculate age, format: YYYY-MM-DD'), required=False, widget=forms.TextInput(attrs={'size' : 35}))
241 about = forms.CharField(label=_('Profile'), required=False, widget=forms.Textarea(attrs={'cols' : 60}))
243 def __init__(self, user, *args, **kwargs):
244 super(EditUserForm, self).__init__(*args, **kwargs)
245 if settings.EDITABLE_SCREEN_NAME:
246 self.fields['username'] = UserNameField(label=_('Screen name'))
247 self.fields['username'].initial = user.username
248 self.fields['username'].user_instance = user
249 self.fields['email'].initial = user.email
250 self.fields['realname'].initial = user.real_name
251 self.fields['website'].initial = user.website
252 self.fields['city'].initial = user.location
254 if user.date_of_birth is not None:
255 self.fields['birthday'].initial = user.date_of_birth
257 self.fields['birthday'].initial = '1990-01-01'
258 self.fields['about'].initial = user.about
261 def clean_email(self):
262 if self.user.email != self.cleaned_data['email']:
263 if settings.EMAIL_UNIQUE == True:
264 if 'email' in self.cleaned_data:
265 from forum.models import User
267 User.objects.get(email = self.cleaned_data['email'])
268 except User.DoesNotExist:
269 return self.cleaned_data['email']
270 except User.MultipleObjectsReturned:
271 logging.error("Found multiple users sharing the same email: %s" % self.cleaned_data['email'])
273 raise forms.ValidationError(_('this email has already been registered, please use another one'))
274 return self.cleaned_data['email']
277 NOTIFICATION_CHOICES = (
278 ('i', _('Instantly')),
281 ('n', _('No notifications')),
284 class SubscriptionSettingsForm(forms.ModelForm):
285 enable_notifications = forms.BooleanField(widget=forms.HiddenInput, required=False)
286 member_joins = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
287 new_question = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
288 new_question_watched_tags = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
289 subscribed_questions = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
292 model = SubscriptionSettings
294 class UserPreferencesForm(forms.Form):
295 sticky_sorts = forms.BooleanField(required=False, initial=False)