4 from urllib import unquote
5 from forum import settings as django_settings
6 from django.shortcuts import render_to_response, get_object_or_404
7 from django.http import HttpResponseRedirect, HttpResponse, Http404, HttpResponsePermanentRedirect
8 from django.core.paginator import Paginator, EmptyPage, InvalidPage
9 from django.template import RequestContext
10 from django import template
11 from django.utils.html import *
12 from django.utils import simplejson
13 from django.utils.encoding import smart_unicode
14 from django.db.models import Q, Count
15 from django.utils.translation import ugettext as _
16 from django.template.defaultfilters import slugify
17 from django.core.urlresolvers import reverse
18 from django.utils.datastructures import SortedDict
19 from django.views.decorators.cache import cache_page
20 from django.utils.http import urlquote as django_urlquote
21 from django.template.defaultfilters import slugify
22 from django.utils.safestring import mark_safe
24 from forum.utils.html import sanitize_html, hyperlink
25 from forum.utils.diff import textDiff as htmldiff
26 from forum.utils import pagination
27 from forum.forms import *
28 from forum.models import *
29 from forum.forms import get_next_url
30 from forum.actions import QuestionViewAction
31 from forum.http_responses import HttpResponseUnauthorized
32 from forum.feed import RssQuestionFeed, RssAnswerFeed
33 from forum.utils.pagination import generate_uri
36 class HottestQuestionsSort(pagination.SortBase):
37 def apply(self, questions):
38 return questions.annotate(new_child_count=Count('all_children')).filter(
39 all_children__added_at__gt=datetime.datetime.now() - datetime.timedelta(days=1)).order_by('-new_child_count')
42 class QuestionListPaginatorContext(pagination.PaginatorContext):
43 def __init__(self, id='QUESTIONS_LIST', prefix='', pagesizes=(15, 30, 50), default_pagesize=30):
44 super (QuestionListPaginatorContext, self).__init__(id, sort_methods=(
45 (_('active'), pagination.SimpleSort(_('active'), '-last_activity_at', _("Most <strong>recently updated</strong> questions"))),
46 (_('newest'), pagination.SimpleSort(_('newest'), '-added_at', _("most <strong>recently asked</strong> questions"))),
47 (_('hottest'), HottestQuestionsSort(_('hottest'), _("most <strong>active</strong> questions in the last 24 hours</strong>"))),
48 (_('mostvoted'), pagination.SimpleSort(_('most voted'), '-score', _("most <strong>voted</strong> questions"))),
49 ), pagesizes=pagesizes, default_pagesize=default_pagesize, prefix=prefix)
51 class AnswerSort(pagination.SimpleSort):
52 def apply(self, answers):
53 if not settings.DISABLE_ACCEPTING_FEATURE:
54 return answers.order_by(*(['-marked'] + list(self._get_order_by())))
56 return super(AnswerSort, self).apply(answers)
58 class AnswerPaginatorContext(pagination.PaginatorContext):
59 def __init__(self, id='ANSWER_LIST', prefix='', default_pagesize=10):
60 super (AnswerPaginatorContext, self).__init__(id, sort_methods=(
61 (_('oldest'), AnswerSort(_('oldest answers'), 'added_at', _("oldest answers will be shown first"))),
62 (_('newest'), AnswerSort(_('newest answers'), '-added_at', _("newest answers will be shown first"))),
63 (_('votes'), AnswerSort(_('popular answers'), ('-score', 'added_at'), _("most voted answers will be shown first"))),
64 ), default_sort=_('votes'), pagesizes=(5, 10, 20), default_pagesize=default_pagesize, prefix=prefix)
66 class TagPaginatorContext(pagination.PaginatorContext):
68 super (TagPaginatorContext, self).__init__('TAG_LIST', sort_methods=(
69 (_('name'), pagination.SimpleSort(_('by name'), 'name', _("sorted alphabetically"))),
70 (_('used'), pagination.SimpleSort(_('by popularity'), '-used_count', _("sorted by frequency of tag use"))),
71 ), default_sort=_('used'), pagesizes=(30, 60, 120))
75 return RssQuestionFeed(
77 Question.objects.filter_state(deleted=False).order_by('-last_activity_at'),
78 settings.APP_TITLE + _(' - ')+ _('latest questions'),
79 settings.APP_DESCRIPTION)(request)
81 @decorators.render('index.html')
83 paginator_context = QuestionListPaginatorContext()
84 paginator_context.base_path = reverse('questions')
85 return question_list(request,
86 Question.objects.all(),
87 base_path=reverse('questions'),
88 feed_url=reverse('latest_questions_feed'),
89 paginator_context=paginator_context)
91 @decorators.render('questions.html', 'unanswered', _('unanswered'), weight=400)
92 def unanswered(request):
93 return question_list(request,
94 Question.objects.exclude(id__in=Question.objects.filter(children__marked=True).distinct()),
95 _('open questions without an accepted answer'),
97 _("Unanswered Questions"))
99 @decorators.render('questions.html', 'questions', _('questions'), weight=0)
100 def questions(request):
101 return question_list(request, Question.objects.all(), _('questions'))
103 @decorators.render('questions.html')
104 def tag(request, tag):
106 tag = Tag.active.get(name=unquote(tag))
107 except Tag.DoesNotExist:
110 # Getting the questions QuerySet
111 questions = Question.objects.filter(tags__id=tag.id)
113 if request.method == "GET":
114 user = request.GET.get('user', None)
118 questions = questions.filter(author=User.objects.get(username=user))
119 except User.DoesNotExist:
122 return question_list(request,
124 mark_safe(_(u'questions tagged <span class="tag">%(tag)s</span>') % {'tag': tag}),
126 mark_safe(_(u'Questions Tagged With %(tag)s') % {'tag': tag}),
129 @decorators.render('questions.html', 'questions', tabbed=False)
130 def user_questions(request, mode, user, slug):
131 user = get_object_or_404(User, id=user)
133 if mode == _('asked-by'):
134 questions = Question.objects.filter(author=user)
135 description = _("Questions asked by %s")
136 elif mode == _('answered-by'):
137 questions = Question.objects.filter(children__author=user, children__node_type='answer').distinct()
138 description = _("Questions answered by %s")
139 elif mode == _('subscribed-by'):
140 if not (request.user.is_superuser or request.user == user):
141 return HttpResponseUnauthorized(request)
142 questions = user.subscriptions
144 if request.user == user:
145 description = _("Questions you subscribed %s")
147 description = _("Questions subscribed by %s")
152 return question_list(request, questions,
153 mark_safe(description % hyperlink(user.get_profile_url(), user.username)),
154 page_title=description % user.username)
156 def question_list(request, initial,
157 list_description=_('questions'),
159 page_title=_("All Questions"),
160 allowIgnoreTags=True,
162 paginator_context=None,
163 feed_sort='-added_at'):
165 questions = initial.filter_state(deleted=False)
167 if request.user.is_authenticated() and allowIgnoreTags:
168 questions = questions.filter(~Q(tags__id__in = request.user.marked_tags.filter(user_selections__reason = 'bad')))
170 if page_title is None:
171 page_title = _("Questions")
173 if request.GET.get('type', None) == 'rss':
174 questions = questions.order_by(feed_sort)
175 return RssQuestionFeed(request, questions, page_title, list_description)(request)
178 if request.GET.get("q"):
179 keywords = request.GET.get("q").strip()
181 #answer_count = Answer.objects.filter_state(deleted=False).filter(parent__in=questions).count()
182 #answer_description = _("answers")
185 req_params = generate_uri(request.GET, (_('page'), _('pagesize'), _('sort')))
187 req_params = '&' + req_params
189 feed_url = request.path + "?type=rss" + req_params
191 return pagination.paginated(request, ('questions', paginator_context or QuestionListPaginatorContext()), {
192 "questions" : questions.distinct(),
193 "questions_count" : questions.count(),
194 "keywords" : keywords,
195 "list_description": list_description,
196 "base_path" : base_path,
197 "page_title" : page_title,
199 'feed_url': feed_url,
204 if request.method == "GET" and "q" in request.GET:
205 keywords = request.GET.get("q")
206 search_type = request.GET.get("t")
209 return HttpResponseRedirect(reverse(index))
210 if search_type == 'tag':
211 return HttpResponseRedirect(reverse('tags') + '?q=%s' % urlquote(keywords.strip()))
212 elif search_type == "user":
213 return HttpResponseRedirect(reverse('users') + '?q=%s' % urlquote(keywords.strip()))
215 return question_search(request, keywords)
217 return render_to_response("search.html", context_instance=RequestContext(request))
219 @decorators.render('questions.html')
220 def question_search(request, keywords):
221 can_rank, initial = Question.objects.search(keywords)
226 if isinstance(can_rank, basestring):
227 sort_order = can_rank
229 paginator_context = QuestionListPaginatorContext()
230 paginator_context.sort_methods[_('ranking')] = pagination.SimpleSort(_('relevance'), sort_order, _("most relevant questions"))
231 paginator_context.force_sort = _('ranking')
233 paginator_context = None
235 feed_url = mark_safe(escape(request.path + "?type=rss&q=" + keywords))
237 return question_list(request, initial,
238 _("questions matching '%(keywords)s'") % {'keywords': keywords},
240 _("questions matching '%(keywords)s'") % {'keywords': keywords},
241 paginator_context=paginator_context,
245 @decorators.render('tags.html', 'tags', _('tags'), weight=100)
248 tags = Tag.active.all()
250 if request.method == "GET":
251 stag = request.GET.get("q", "").strip()
253 tags = tags.filter(name__icontains=stag)
255 return pagination.paginated(request, ('tags', TagPaginatorContext()), {
261 def update_question_view_times(request, question):
262 last_seen_in_question = request.session.get('last_seen_in_question', {})
264 last_seen = last_seen_in_question.get(question.id, None)
266 if (not last_seen) or (last_seen < question.last_activity_at):
267 QuestionViewAction(question, request.user, ip=request.META['REMOTE_ADDR']).save()
268 last_seen_in_question[question.id] = datetime.datetime.now()
269 request.session['last_seen_in_question'] = last_seen_in_question
271 def match_question_slug(id, slug):
272 slug_words = slug.split('-')
273 qs = Question.objects.filter(title__istartswith=slug_words[0])
276 if slug == urlquote(slugify(q.title)):
281 def answer_redirect(request, answer):
282 pc = AnswerPaginatorContext()
284 sort = pc.sort(request)
286 if sort == _('oldest'):
287 filter = Q(added_at__lt=answer.added_at)
288 elif sort == _('newest'):
289 filter = Q(added_at__gt=answer.added_at)
290 elif sort == _('votes'):
291 filter = Q(score__gt=answer.score) | Q(score=answer.score, added_at__lt=answer.added_at)
295 count = answer.question.answers.filter(Q(marked=True) | filter).exclude(state_string="(deleted)").count()
296 pagesize = pc.pagesize(request)
298 page = count / pagesize
306 return HttpResponsePermanentRedirect("%s?%s=%s#%s" % (
307 answer.question.get_absolute_url(), _('page'), page, answer.id))
309 @decorators.render("question.html", 'questions')
310 def question(request, id, slug='', answer=None):
312 question = Question.objects.get(id=id)
315 question = match_question_slug(id, slug)
316 if question is not None:
317 return HttpResponseRedirect(question.get_absolute_url())
321 if question.nis.deleted and not request.user.can_view_deleted_post(question):
324 if request.GET.get('type', None) == 'rss':
325 return RssAnswerFeed(request, question, include_comments=request.GET.get('comments', None) == 'yes')(request)
328 answer = get_object_or_404(Answer, id=answer)
330 if (question.nis.deleted and not request.user.can_view_deleted_post(question)) or answer.question != question:
334 return HttpResponsePermanentRedirect(question.get_absolute_url())
336 return answer_redirect(request, answer)
338 if settings.FORCE_SINGLE_URL and (slug != slugify(question.title)):
339 return HttpResponsePermanentRedirect(question.get_absolute_url())
342 answer_form = AnswerForm(request.POST, user=request.user)
344 answer_form = AnswerForm(user=request.user)
346 answers = request.user.get_visible_answers(question)
348 update_question_view_times(request, question)
350 if request.user.is_authenticated():
352 subscription = QuestionSubscription.objects.get(question=question, user=request.user)
358 return pagination.paginated(request, ('answers', AnswerPaginatorContext()), {
359 "question" : question,
360 "answer" : answer_form,
362 "similar_questions" : question.get_related_questions(),
363 "subscription": subscription,
367 REVISION_TEMPLATE = template.loader.get_template('node/revision.html')
369 def revisions(request, id):
370 post = get_object_or_404(Node, id=id).leaf
371 revisions = list(post.revisions.order_by('revised_at'))
374 for i, revision in enumerate(revisions):
375 rev_ctx.append(dict(inst=revision, html=template.loader.get_template('node/revision.html').render(template.Context({
376 'title': revision.title,
377 'html': revision.html,
378 'tags': revision.tagname_list(),
382 rev_ctx[i]['diff'] = mark_safe(htmldiff(rev_ctx[i-1]['html'], rev_ctx[i]['html']))
384 rev_ctx[i]['diff'] = mark_safe(rev_ctx[i]['html'])
386 if not (revision.summary):
387 rev_ctx[i]['summary'] = _('Revision n. %(rev_number)d') % {'rev_number': revision.revision}
389 rev_ctx[i]['summary'] = revision.summary
393 return render_to_response('revisions.html', {
395 'revisions': rev_ctx,
396 }, context_instance=RequestContext(request))