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 split_re = re.compile(r'[ ,]+')
63 list = split_re.split(data)
65 if len(list) > settings.FORM_MAX_NUMBER_OF_TAGS or len(list) < settings.FORM_MIN_NUMBER_OF_TAGS:
66 raise forms.ValidationError(_('please use between %(min)s and %(max)s tags') % { 'min': apnumber(settings.FORM_MIN_NUMBER_OF_TAGS), 'max': apnumber(settings.FORM_MAX_NUMBER_OF_TAGS)})
69 tagname_re = re.compile(r'[a-z0-9]+')
71 if len(tag) > settings.FORM_MAX_LENGTH_OF_TAG or len(tag) < settings.FORM_MIN_LENGTH_OF_TAG:
72 raise forms.ValidationError(_('please use between %(min)s and %(max)s characters in you tags') % { 'min': apnumber(settings.FORM_MIN_LENGTH_OF_TAG), 'max': apnumber(settings.FORM_MAX_LENGTH_OF_TAG)})
73 if not tagname_re.match(tag):
74 raise forms.ValidationError(_('please use following characters in tags: letters \'a-z\', numbers, and characters \'.-_#\''))
75 # only keep one same tag
76 if tag not in list_temp and len(tag.strip()) > 0:
79 return u' '.join(list_temp)
81 class WikiField(forms.BooleanField):
82 def __init__(self, *args, **kwargs):
83 super(WikiField, self).__init__(*args, **kwargs)
85 self.label = _('community wiki')
86 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')
87 def clean(self,value):
88 return value and settings.WIKI_ON
90 class EmailNotifyField(forms.BooleanField):
91 def __init__(self, *args, **kwargs):
92 super(EmailNotifyField, self).__init__(*args, **kwargs)
94 self.widget.attrs['class'] = 'nomargin'
96 class SummaryField(forms.CharField):
97 def __init__(self, *args, **kwargs):
98 super(SummaryField, self).__init__(*args, **kwargs)
100 self.widget = forms.TextInput(attrs={'size' : 50, 'autocomplete' : 'off'})
101 self.max_length = 300
102 self.label = _('update summary:')
103 self.help_text = _('enter a brief summary of your revision (e.g. fixed spelling, grammar, improved style, this field is optional)')
106 class FeedbackForm(forms.Form):
107 name = forms.CharField(label=_('Your name:'), required=False)
108 email = forms.EmailField(label=_('Email (not shared with anyone):'), required=False)
109 message = forms.CharField(label=_('Your message:'), max_length=800,widget=forms.Textarea(attrs={'cols':60}))
110 next = NextUrlField()
112 class AskForm(forms.Form):
115 tags = TagNamesField()
119 class AnswerForm(forms.Form):
123 def __init__(self, question, *args, **kwargs):
124 super(AnswerForm, self).__init__(*args, **kwargs)
126 if question.wiki and settings.WIKI_ON:
127 self.fields['wiki'].initial = True
130 class RetagQuestionForm(forms.Form):
131 tags = TagNamesField()
132 # initialize the default values
133 def __init__(self, question, *args, **kwargs):
134 super(RetagQuestionForm, self).__init__(*args, **kwargs)
135 self.fields['tags'].initial = question.tagnames
137 class RevisionForm(forms.Form):
139 Lists revisions of a Question or Answer
141 revision = forms.ChoiceField(widget=forms.Select(attrs={'style' : 'width:520px'}))
143 def __init__(self, post, *args, **kwargs):
144 super(RevisionForm, self).__init__(*args, **kwargs)
146 revisions = post.revisions.all().values_list(
147 'revision', 'author__username', 'revised_at', 'summary')
149 self.fields['revision'].choices = [
150 (r[0], u'%s - %s (%s) %s' % (r[0], r[1], r[2].strftime(date_format), r[3]))
153 self.fields['revision'].initial = post.active_revision.revision
155 class EditQuestionForm(forms.Form):
158 tags = TagNamesField()
159 summary = SummaryField()
161 def __init__(self, question, revision=None, *args, **kwargs):
162 super(EditQuestionForm, self).__init__(*args, **kwargs)
165 revision = question.active_revision
167 self.fields['title'].initial = revision.title
168 self.fields['text'].initial = revision.body
169 self.fields['tags'].initial = revision.tagnames
171 # Once wiki mode is enabled, it can't be disabled
172 if not question.wiki:
173 self.fields['wiki'] = WikiField()
175 class EditAnswerForm(forms.Form):
177 summary = SummaryField()
179 def __init__(self, answer, revision=None, *args, **kwargs):
180 super(EditAnswerForm, self).__init__(*args, **kwargs)
183 revision = answer.active_revision
185 self.fields['text'].initial = revision.body
187 class EditUserForm(forms.Form):
188 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}))
189 realname = forms.CharField(label=_('Real name'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
190 website = forms.URLField(label=_('Website'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
191 city = forms.CharField(label=_('Location'), required=False, max_length=255, widget=forms.TextInput(attrs={'size' : 35}))
192 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}))
193 about = forms.CharField(label=_('Profile'), required=False, widget=forms.Textarea(attrs={'cols' : 60}))
195 def __init__(self, user, *args, **kwargs):
196 super(EditUserForm, self).__init__(*args, **kwargs)
197 if settings.EDITABLE_SCREEN_NAME:
198 self.fields['username'] = UserNameField(label=_('Screen name'))
199 self.fields['username'].initial = user.username
200 self.fields['username'].user_instance = user
201 self.fields['email'].initial = user.email
202 self.fields['realname'].initial = user.real_name
203 self.fields['website'].initial = user.website
204 self.fields['city'].initial = user.location
206 if user.date_of_birth is not None:
207 self.fields['birthday'].initial = user.date_of_birth
209 self.fields['birthday'].initial = '1990-01-01'
210 self.fields['about'].initial = user.about
213 def clean_email(self):
214 """For security reason one unique email in database"""
215 if self.user.email != self.cleaned_data['email']:
216 #todo dry it, there is a similar thing in openidauth
217 if settings.EMAIL_UNIQUE == True:
218 if 'email' in self.cleaned_data:
220 user = User.objects.get(email = self.cleaned_data['email'])
221 except User.DoesNotExist:
222 return self.cleaned_data['email']
223 except User.MultipleObjectsReturned:
224 raise forms.ValidationError(_('this email has already been registered, please use another one'))
225 raise forms.ValidationError(_('this email has already been registered, please use another one'))
226 return self.cleaned_data['email']
228 NOTIFICATION_CHOICES = (
229 ('i', _('Instantly')),
232 ('n', _('No notifications')),
235 class SubscriptionSettingsForm(forms.Form):
236 member_joins = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
237 new_question = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
238 new_question_watched_tags = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
239 subscribed_questions = forms.ChoiceField(widget=forms.RadioSelect, choices=NOTIFICATION_CHOICES)
241 all_questions = forms.BooleanField(required=False, initial=False)
242 all_questions_watched_tags = forms.BooleanField(required=False, initial=False)
243 questions_asked = forms.BooleanField(required=False, initial=False)
244 questions_answered = forms.BooleanField(required=False, initial=False)
245 questions_commented = forms.BooleanField(required=False, initial=False)
246 questions_viewed = forms.BooleanField(required=False, initial=False)
248 notify_answers = forms.BooleanField(required=False, initial=False)
249 notify_reply_to_comments = forms.BooleanField(required=False, initial=False)
250 notify_comments_own_post = forms.BooleanField(required=False, initial=False)
251 notify_comments = forms.BooleanField(required=False, initial=False)
252 notify_accepted = forms.BooleanField(required=False, initial=False)