2 from datetime import date
3 from django import forms
5 from django.utils.translation import ugettext as _
6 from django.contrib.humanize.templatetags.humanize import apnumber
7 from forum.models import User
9 from django.utils.safestring import mark_safe
10 from forum.utils.forms import NextUrlField, UserNameField, SetPasswordForm
11 from forum import settings
14 class TitleField(forms.CharField):
15 def __init__(self, *args, **kwargs):
16 super(TitleField, self).__init__(*args, **kwargs)
18 self.widget = forms.TextInput(attrs={'size' : 70, 'autocomplete' : 'off'})
20 self.label = _('title')
21 self.help_text = _('please enter a descriptive title for your question')
24 def clean(self, value):
25 if len(value) < settings.FORM_MIN_QUESTION_TITLE:
26 raise forms.ValidationError(_('title must be must be at least %s characters' % settings.FORM_MIN_QUESTION_TITLE))
30 class EditorField(forms.CharField):
31 def __init__(self, *args, **kwargs):
32 super(EditorField, self).__init__(*args, **kwargs)
34 self.widget = forms.Textarea(attrs={'id':'editor'})
35 self.label = _('content')
39 def clean(self, value):
40 if len(value) < settings.FORM_MIN_QUESTION_BODY and not settings.FORM_EMPTY_QUESTION_BODY:
41 raise forms.ValidationError(_('question content must be must be at least %s characters' % settings.FORM_MIN_QUESTION_BODY))
45 class TagNamesField(forms.CharField):
46 def __init__(self, *args, **kwargs):
47 super(TagNamesField, self).__init__(*args, **kwargs)
49 self.widget = forms.TextInput(attrs={'size' : 50, 'autocomplete' : 'off'})
51 self.label = _('tags')
52 #self.help_text = _('please use space to separate tags (this enables autocomplete feature)')
53 self.help_text = _('Tags are short keywords, with no spaces within. At least one %(min)s and up to %(max)s tags can be used.') % {
54 'min': apnumber(settings.FORM_MIN_NUMBER_OF_TAGS), 'max': apnumber(settings.FORM_MAX_NUMBER_OF_TAGS)
58 def clean(self, value):
59 value = super(TagNamesField, self).clean(value)
62 raise forms.ValidationError(_('tags are required'))
64 split_re = re.compile(r'[ ,]+')
65 list = split_re.split(data)
67 if len(list) > settings.FORM_MAX_NUMBER_OF_TAGS or len(list) < settings.FORM_MIN_NUMBER_OF_TAGS:
68 raise forms.ValidationError(_('please use betwen %(min)s and %(max)s tags') % {
69 'min': apnumber(settings.FORM_MIN_NUMBER_OF_TAGS), 'max': apnumber(settings.FORM_MAX_NUMBER_OF_TAGS)
72 tagname_re = re.compile(r'[a-z0-9]+')
75 raise forms.ValidationError(_('tags must be shorter than 20 characters'))
76 if not tagname_re.match(tag):
77 raise forms.ValidationError(_('please use following characters in tags: letters \'a-z\', numbers, and characters \'.-_#\''))
78 # only keep one same tag
79 if tag not in list_temp and len(tag.strip()) > 0:
81 return u' '.join(list_temp)
83 class WikiField(forms.BooleanField):
84 def __init__(self, *args, **kwargs):
85 super(WikiField, self).__init__(*args, **kwargs)
87 self.label = _('community wiki')
88 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')
89 def clean(self,value):
90 return value and settings.WIKI_ON
92 class EmailNotifyField(forms.BooleanField):
93 def __init__(self, *args, **kwargs):
94 super(EmailNotifyField, self).__init__(*args, **kwargs)
96 self.widget.attrs['class'] = 'nomargin'
98 class SummaryField(forms.CharField):
99 def __init__(self, *args, **kwargs):
100 super(SummaryField, self).__init__(*args, **kwargs)
101 self.required = False
102 self.widget = forms.TextInput(attrs={'size' : 50, 'autocomplete' : 'off'})
103 self.max_length = 300
104 self.label = _('update summary:')
105 self.help_text = _('enter a brief summary of your revision (e.g. fixed spelling, grammar, improved style, this field is optional)')
108 class FeedbackForm(forms.Form):
109 name = forms.CharField(label=_('Your name:'), required=False)
110 email = forms.EmailField(label=_('Email (not shared with anyone):'), required=False)
111 message = forms.CharField(label=_('Your message:'), max_length=800,widget=forms.Textarea(attrs={'cols':60}))
112 next = NextUrlField()
114 class AskForm(forms.Form):
117 tags = TagNamesField()
121 class AnswerForm(forms.Form):
125 def __init__(self, question, *args, **kwargs):
126 super(AnswerForm, self).__init__(*args, **kwargs)
128 if question.wiki and settings.WIKI_ON:
129 self.fields['wiki'].initial = True
132 class RetagQuestionForm(forms.Form):
133 tags = TagNamesField()
134 # initialize the default values
135 def __init__(self, question, *args, **kwargs):
136 super(RetagQuestionForm, self).__init__(*args, **kwargs)
137 self.fields['tags'].initial = question.tagnames
139 class RevisionForm(forms.Form):
141 Lists revisions of a Question or Answer
143 revision = forms.ChoiceField(widget=forms.Select(attrs={'style' : 'width:520px'}))
145 def __init__(self, post, *args, **kwargs):
146 super(RevisionForm, self).__init__(*args, **kwargs)
148 revisions = post.revisions.all().values_list(
149 'revision', 'author__username', 'revised_at', 'summary')
151 self.fields['revision'].choices = [
152 (r[0], u'%s - %s (%s) %s' % (r[0], r[1], r[2].strftime(date_format), r[3]))
155 self.fields['revision'].initial = post.active_revision.revision
157 class EditQuestionForm(forms.Form):
160 tags = TagNamesField()
161 summary = SummaryField()
163 def __init__(self, question, revision=None, *args, **kwargs):
164 super(EditQuestionForm, self).__init__(*args, **kwargs)
167 revision = question.active_revision
169 self.fields['title'].initial = revision.title
170 self.fields['text'].initial = revision.body
171 self.fields['tags'].initial = revision.tagnames
173 # Once wiki mode is enabled, it can't be disabled
174 if not question.wiki:
175 self.fields['wiki'] = WikiField()
177 class EditAnswerForm(forms.Form):
179 summary = SummaryField()
181 def __init__(self, answer, revision=None, *args, **kwargs):
182 super(EditAnswerForm, self).__init__(*args, **kwargs)
185 revision = answer.active_revision
187 self.fields['text'].initial = revision.body
189 class EditUserForm(forms.Form):
190 email = forms.EmailField(label=u'Email', help_text=_('this email does not have to be linked to gravatar'), required=True, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
191 realname = forms.CharField(label=_('Real name'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
192 website = forms.URLField(label=_('Website'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
193 city = forms.CharField(label=_('Location'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
194 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}))
195 about = forms.CharField(label=_('Profile'), required=False, widget=forms.Textarea(attrs={'cols' : 60}))
197 def __init__(self, user, *args, **kwargs):
198 super(EditUserForm, self).__init__(*args, **kwargs)
199 if settings.EDITABLE_SCREEN_NAME:
200 self.fields['username'] = UserNameField(label=_('Screen name'))
201 self.fields['username'].initial = user.username
202 self.fields['username'].user_instance = user
203 self.fields['email'].initial = user.email
204 self.fields['realname'].initial = user.real_name
205 self.fields['website'].initial = user.website
206 self.fields['city'].initial = user.location
208 if user.date_of_birth is not None:
209 self.fields['birthday'].initial = user.date_of_birth
211 self.fields['birthday'].initial = '1990-01-01'
212 self.fields['about'].initial = user.about
215 def clean_email(self):
216 """For security reason one unique email in database"""
217 if self.user.email != self.cleaned_data['email']:
218 #todo dry it, there is a similar thing in openidauth
219 if settings.EMAIL_UNIQUE == True:
220 if 'email' in self.cleaned_data:
222 user = User.objects.get(email = self.cleaned_data['email'])
223 except User.DoesNotExist:
224 return self.cleaned_data['email']
225 except User.MultipleObjectsReturned:
226 raise forms.ValidationError(_('this email has already been registered, please use another one'))
227 raise forms.ValidationError(_('this email has already been registered, please use another one'))
228 return self.cleaned_data['email']
230 NOTIFICATION_CHOICES = (
231 ('i', _('Instantly')),
234 ('n', _('No notifications')),
237 class SubscriptionSettingsForm(forms.Form):
238 member_joins = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
239 new_question = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
240 new_question_watched_tags = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
241 subscribed_questions = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
243 all_questions = forms.BooleanField(required=False, initial=False)
244 all_questions_watched_tags = forms.BooleanField(required=False, initial=False)
245 questions_asked = forms.BooleanField(required=False, initial=False)
246 questions_answered = forms.BooleanField(required=False, initial=False)
247 questions_commented = forms.BooleanField(required=False, initial=False)
248 questions_viewed = forms.BooleanField(required=False, initial=False)
250 notify_answers = forms.BooleanField(required=False, initial=False)
251 notify_reply_to_comments = forms.BooleanField(required=False, initial=False)
252 notify_comments_own_post = forms.BooleanField(required=False, initial=False)
253 notify_comments = forms.BooleanField(required=False, initial=False)
254 notify_accepted = forms.BooleanField(required=False, initial=False)