2 from django.conf import settings
3 from django.core.exceptions import ObjectDoesNotExist
4 from django.utils import simplejson
5 from django.http import HttpResponse, HttpResponseRedirect, HttpResponseForbidden
6 from django.shortcuts import get_object_or_404, render_to_response
7 from django.utils.translation import ungettext, ugettext as _
8 from django.template import RequestContext
9 from forum.models import *
10 from forum.forms import CloseForm
11 from django.core.urlresolvers import reverse
12 from django.contrib.auth.decorators import login_required
13 from forum.utils.decorators import ajax_method, ajax_login_required
14 from decorators import command
17 class NotEnoughRepPointsException(Exception):
18 def __init__(self, action):
19 super(NotEnoughRepPointsException, self).__init__(
21 Sorry, but you don't have enough reputation points to %(action)s.<br />
22 Please check the <a href'%(faq_url)s'>faq</a>
23 """ % {'action': action, 'faq_url': reverse('faq')})
26 class CannotDoOnOwnException(Exception):
27 def __init__(self, action):
28 super(CannotDoOnOwnException, self).__init__(
30 Sorry but you cannot %(action)s your own post.<br />
31 Please check the <a href'%(faq_url)s'>faq</a>
32 """ % {'action': action, 'faq_url': reverse('faq')})
35 class AnonymousNotAllowedException(Exception):
36 def __init__(self, action):
37 super(AnonymousNotAllowedException, self).__init__(
39 Sorry but anonymous users cannot %(action)s.<br />
40 Please login or create an account <a href'%(signin_url)s'>here</a>.
41 """ % {'action': action, 'signin_url': reverse('auth_signin')})
44 class SpamNotAllowedException(Exception):
45 def __init__(self, action = "comment"):
46 super(SpamNotAllowedException, self).__init__(
47 _("""Your %s has been marked as spam.""" % action)
50 class NotEnoughLeftException(Exception):
51 def __init__(self, action, limit):
52 super(NotEnoughLeftException, self).__init__(
54 Sorry, but you don't have enough %(action)s left for today..<br />
55 The limit is %(limit)s per day..<br />
56 Please check the <a href'%(faq_url)s'>faq</a>
57 """ % {'action': action, 'limit': limit, 'faq_url': reverse('faq')})
60 class CannotDoubleActionException(Exception):
61 def __init__(self, action):
62 super(CannotDoubleActionException, self).__init__(
64 Sorry, but you cannot %(action)s twice the same post.<br />
65 Please check the <a href'%(faq_url)s'>faq</a>
66 """ % {'action': action, 'faq_url': reverse('faq')})
71 def vote_post(request, id, vote_type):
72 post = get_object_or_404(Node, id=id).leaf
73 vote_score = vote_type == 'up' and 1 or -1
76 if not user.is_authenticated():
77 raise AnonymousNotAllowedException(_('vote'))
79 if user == post.author:
80 raise CannotDoOnOwnException(_('vote'))
82 if not (vote_type == 'up' and user.can_vote_up() or user.can_vote_down()):
83 raise NotEnoughRepPointsException(vote_type == 'up' and _('upvote') or _('downvote'))
85 user_vote_count_today = user.get_vote_count_today()
87 if user_vote_count_today >= int(settings.MAX_VOTES_PER_DAY):
88 raise NotEnoughLeftException(_('votes'), str(settings.MAX_VOTES_PER_DAY))
91 vote = post.votes.get(canceled=False, user=user)
93 if vote.voted_at < datetime.datetime.now() - datetime.timedelta(days=int(settings.DENY_UNVOTE_DAYS)):
95 _("Sorry but you cannot cancel a vote after %(ndays)d %(tdays)s from the original vote") %
96 {'ndays': int(settings.DENY_UNVOTE_DAYS), 'tdays': ungettext('day', 'days', int(settings.DENY_UNVOTE_DAYS))}
101 except ObjectDoesNotExist:
102 #there is no vote yet
103 vote = Vote(user=user, node=post, vote=vote_score)
108 'update_post_score': [id, vote.vote * (vote_type == 'none' and -1 or 1)],
109 'update_user_post_vote': [id, vote_type]
113 votes_left = int(settings.MAX_VOTES_PER_DAY) - user_vote_count_today + (vote_type == 'none' and -1 or 1)
115 if int(settings.START_WARN_VOTES_LEFT) >= votes_left:
116 response['message'] = _("You have %(nvotes)s %(tvotes)s left today.") % \
117 {'nvotes': votes_left, 'tvotes': ungettext('vote', 'votes', votes_left)}
122 def flag_post(request, id):
123 post = get_object_or_404(Node, id=id)
126 if not user.is_authenticated():
127 raise AnonymousNotAllowedException(_('flag posts'))
129 if user == post.author:
130 raise CannotDoOnOwnException(_('flag'))
132 if not (user.can_flag_offensive(post)):
133 raise NotEnoughRepPointsException(_('flag posts'))
135 user_flag_count_today = user.get_flagged_items_count_today()
137 if user_flag_count_today >= int(settings.MAX_FLAGS_PER_DAY):
138 raise NotEnoughLeftException(_('flags'), str(settings.MAX_FLAGS_PER_DAY))
141 post.flaggeditems.get(user=user)
142 raise CannotDoubleActionException(_('flag'))
143 except ObjectDoesNotExist:
144 flag = FlaggedItem(user=user, content_object=post)
150 def like_comment(request, id):
151 comment = get_object_or_404(Comment, id=id)
154 if not user.is_authenticated():
155 raise AnonymousNotAllowedException(_('like comments'))
157 if user == comment.user:
158 raise CannotDoOnOwnException(_('like'))
160 if not user.can_like_comment(comment):
161 raise NotEnoughRepPointsException( _('like comments'))
164 like = LikedComment.active.get(comment=comment, user=user)
167 except ObjectDoesNotExist:
168 like = LikedComment(comment=comment, user=user)
174 'update_comment_score': [comment.id, likes and 1 or -1],
175 'update_likes_comment_mark': [comment.id, likes and 'on' or 'off']
180 def delete_comment(request, id):
181 comment = get_object_or_404(Comment, id=id)
184 if not user.is_authenticated():
185 raise AnonymousNotAllowedException(_('delete comments'))
187 if not user.can_delete_comment(comment):
188 raise NotEnoughRepPointsException( _('delete comments'))
190 comment.mark_deleted(user)
194 'remove_comment': [comment.id],
199 def mark_favorite(request, id):
200 question = get_object_or_404(Question, id=id)
202 if not request.user.is_authenticated():
203 raise AnonymousNotAllowedException(_('mark a question as favorite'))
206 favorite = FavoriteQuestion.objects.get(question=question, user=request.user)
209 except ObjectDoesNotExist:
210 favorite = FavoriteQuestion(question=question, user=request.user)
216 'update_favorite_count': [added and 1 or -1],
217 'update_favorite_mark': [added and 'on' or 'off']
222 def comment(request, id):
223 post = get_object_or_404(Node, id=id)
226 if not user.is_authenticated():
227 raise AnonymousNotAllowedException(_('comment'))
229 if not request.method == 'POST':
230 raise Exception(_("Invalid request"))
232 if 'id' in request.POST:
233 comment = get_object_or_404(Comment, id=request.POST['id'])
235 if not user.can_edit_comment(comment):
236 raise NotEnoughRepPointsException( _('edit comments'))
238 if not user.can_comment(post):
239 raise NotEnoughRepPointsException( _('comment'))
241 comment = Comment(parent=post)
243 comment_text = request.POST.get('comment', '').strip()
245 if not len(comment_text):
246 raise Exception(_("Comment is empty"))
248 if not len(comment_text) > settings.FORM_MIN_COMMENT_BODY:
249 raise Exception(_("Comment must be at least %s characters" % settings.FORM_MIN_COMMENT_BODY))
251 comment.create_revision(user, body=comment_text)
254 "user_ip":request.META["REMOTE_ADDR"],
255 "user_agent":request.environ['HTTP_USER_AGENT'],
256 "comment_author":request.user.real_name,
257 "comment_author_email":request.user.email,
258 "comment_author_url":request.user.website,
259 "comment":comment_text
261 if Node.isSpam(comment_text, data):
262 raise SpamNotAllowedException()
264 if comment.active_revision.revision == 1:
268 id, comment.id, comment_text, user.username, user.get_profile_url(), reverse('delete_comment', kwargs={'id': comment.id})
275 'update_comment': [comment.id, comment.comment]
281 def accept_answer(request, id):
284 if not user.is_authenticated():
285 raise AnonymousNotAllowedException(_('accept answers'))
287 answer = get_object_or_404(Answer, id=id)
288 question = answer.question
290 if not user.can_accept_answer(answer):
291 raise Exception(_("Sorry but only the question author can accept an answer"))
296 answer.unmark_accepted(user)
297 commands['unmark_accepted'] = [answer.id]
299 if question.accepted_answer is not None:
300 accepted = question.accepted_answer
301 accepted.unmark_accepted(user)
302 commands['unmark_accepted'] = [accepted.id]
304 answer.mark_accepted(user)
305 commands['mark_accepted'] = [answer.id]
307 return {'commands': commands}
310 def delete_post(request, id):
311 post = get_object_or_404(Node, id=id)
314 if not user.is_authenticated():
315 raise AnonymousNotAllowedException(_('delete posts'))
317 if not (user.can_delete_post(post)):
318 raise NotEnoughRepPointsException(_('delete posts'))
320 post.mark_deleted(user)
324 'mark_deleted': [post.node_type, id]
329 def subscribe(request, id):
330 question = get_object_or_404(Question, id=id)
333 subscription = QuestionSubscription.objects.get(question=question, user=request.user)
334 subscription.delete()
337 subscription = QuestionSubscription(question=question, user=request.user, auto_subscription=False)
343 'set_subscription_button': [subscribed and _('unsubscribe me') or _('subscribe me')],
344 'set_subscription_status': ['']
348 #internally grouped views - used by the tagging system
350 def mark_tag(request, tag=None, **kwargs):#tagging system
351 action = kwargs['action']
352 ts = MarkedTag.objects.filter(user=request.user, tag__name=tag)
353 if action == 'remove':
354 logging.debug('deleting tag %s' % tag)
357 reason = kwargs['reason']
360 t = Tag.objects.get(name=tag)
361 mt = MarkedTag(user=request.user, reason=reason, tag=t)
366 ts.update(reason=reason)
367 return HttpResponse(simplejson.dumps(''), mimetype="application/json")
369 def matching_tags(request):
370 if len(request.GET['q']) == 0:
371 raise Exception(_("Invalid request"))
373 possible_tags = Tag.objects.filter(name__istartswith = request.GET['q'])
375 for tag in possible_tags:
376 tag_output += (tag.name + "|" + tag.name + "." + tag.used_count.__str__() + "\n")
378 return HttpResponse(tag_output, mimetype="text/plain")
381 def ajax_toggle_ignored_questions(request):#ajax tagging and tag-filtering system
382 if request.user.hide_ignored_questions:
383 new_hide_setting = False
385 new_hide_setting = True
386 request.user.hide_ignored_questions = new_hide_setting
390 def ajax_command(request):#refactor? view processing ajax commands - note "vote" and view others do it too
391 if 'command' not in request.POST:
392 return HttpResponseForbidden(mimetype="application/json")
393 if request.POST['command'] == 'toggle-ignored-questions':
394 return ajax_toggle_ignored_questions(request)
397 def close(request, id):#close question
398 """view to initiate and process
401 question = get_object_or_404(Question, id=id)
402 if not request.user.can_close_question(question):
403 return HttpResponseForbidden()
404 if request.method == 'POST':
405 form = CloseForm(request.POST)
407 reason = form.cleaned_data['reason']
408 question.closed = True
409 question.closed_by = request.user
410 question.closed_at = datetime.datetime.now()
411 question.close_reason = reason
413 return HttpResponseRedirect(question.get_absolute_url())
416 return render_to_response('close.html', {
418 'question' : question,
419 }, context_instance=RequestContext(request))
422 def reopen(request, id):#re-open question
423 """view to initiate and process
426 question = get_object_or_404(Question, id=id)
428 if not request.user.can_reopen_question(question):
429 return HttpResponseForbidden()
430 if request.method == 'POST' :
431 Question.objects.filter(id=question.id).update(closed=False,
432 closed_by=None, closed_at=None, close_reason=None)
433 return HttpResponseRedirect(question.get_absolute_url())
435 return render_to_response('reopen.html', {
436 'question' : question,
437 }, context_instance=RequestContext(request))
439 #osqa-user communication system
440 def read_message(request):#marks message a read
441 if request.method == "POST":
442 if request.POST['formdata'] == 'required':
443 request.session['message_silent'] = 1
444 if request.user.is_authenticated():
445 request.user.delete_messages()
446 return HttpResponse('')