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.db.models import Q
14 from django.utils.translation import ugettext as _
15 from django.template.defaultfilters import slugify
16 from django.core.urlresolvers import reverse
17 from django.utils.datastructures import SortedDict
18 from django.views.decorators.cache import cache_page
19 from django.utils.http import urlquote as django_urlquote
20 from django.template.defaultfilters import slugify
21 from django.utils.safestring import mark_safe
23 from forum.utils.html import sanitize_html, hyperlink
24 from forum.utils.diff import textDiff as htmldiff
25 from forum.utils import pagination
26 from forum.forms import *
27 from forum.models import *
28 from forum.forms import get_next_url
29 from forum.actions import QuestionViewAction
30 from forum.http_responses import HttpResponseUnauthorized
31 from forum.feed import RssQuestionFeed
34 class QuestionListPaginatorContext(pagination.PaginatorContext):
35 def __init__(self, id='QUESTIONS_LIST', prefix='', default_pagesize=30):
36 super (QuestionListPaginatorContext, self).__init__(id, sort_methods=(
37 (_('active'), pagination.SimpleSort(_('active'), '-last_activity_at', _("most recently updated questions"))),
38 (_('newest'), pagination.SimpleSort(_('newest'), '-added_at', _("most recently asked questions"))),
39 (_('hottest'), pagination.SimpleSort(_('hottest'), '-extra_count', _("hottest questions"))),
40 (_('mostvoted'), pagination.SimpleSort(_('most voted'), '-score', _("most voted questions"))),
41 ), pagesizes=(15, 30, 50), default_pagesize=default_pagesize, prefix=prefix)
43 class AnswerSort(pagination.SimpleSort):
44 def apply(self, objects):
45 if self.label == _('votes'):
46 return objects.order_by('-marked', self.order_by, 'added_at')
48 return objects.order_by('-marked', self.order_by)
50 class AnswerPaginatorContext(pagination.PaginatorContext):
51 def __init__(self, id='ANSWER_LIST', prefix='', default_pagesize=10):
52 super (AnswerPaginatorContext, self).__init__(id, sort_methods=(
53 (_('oldest'), AnswerSort(_('oldest answers'), 'added_at', _("oldest answers will be shown first"))),
54 (_('newest'), AnswerSort(_('newest answers'), '-added_at', _("newest answers will be shown first"))),
55 (_('votes'), AnswerSort(_('popular answers'), '-score', _("most voted answers will be shown first"))),
56 ), default_sort=_('votes'), sticky_sort = True, pagesizes=(5, 10, 20), default_pagesize=default_pagesize, prefix=prefix)
58 class TagPaginatorContext(pagination.PaginatorContext):
60 super (TagPaginatorContext, self).__init__('TAG_LIST', sort_methods=(
61 (_('name'), pagination.SimpleSort(_('by name'), 'name', _("sorted alphabetically"))),
62 (_('used'), pagination.SimpleSort(_('by popularity'), '-used_count', _("sorted by frequency of tag use"))),
63 ), default_sort=_('used'), pagesizes=(30, 60, 120))
67 return RssQuestionFeed(
68 Question.objects.filter_state(deleted=False).order_by('-last_activity_at'),
69 settings.APP_TITLE + _(' - ')+ _('latest questions'),
70 settings.APP_DESCRIPTION,
74 @decorators.render('index.html')
76 return question_list(request,
77 Question.objects.all(),
78 sort=request.utils.set_sort_method('active'),
79 base_path=reverse('questions'),
80 feed_url=reverse('latest_questions_feed'))
82 @decorators.render('questions.html', 'unanswered', _('unanswered'), weight=400)
83 def unanswered(request):
84 return question_list(request,
85 Question.objects.filter(extra_ref=None),
86 _('open questions without an accepted answer'),
87 request.utils.set_sort_method('active'),
89 _("Unanswered Questions"))
91 @decorators.render('questions.html', 'questions', _('questions'), weight=0)
92 def questions(request):
93 return question_list(request, Question.objects.all(), _('questions'), request.utils.set_sort_method('active'))
95 @decorators.render('questions.html')
96 def tag(request, tag):
97 return question_list(request,
98 Question.objects.filter(tags__name=unquote(tag)),
99 mark_safe(_('questions tagged <span class="tag">%(tag)s</span>') % {'tag': tag}),
100 request.utils.set_sort_method('active'),
102 mark_safe(_('Questions Tagged With %(tag)s') % {'tag': tag}),
105 @decorators.render('questions.html', 'questions', tabbed=False)
106 def user_questions(request, mode, user, slug):
107 user = get_object_or_404(User, id=user)
109 if mode == _('asked-by'):
110 questions = Question.objects.filter(author=user)
111 description = _("Questions asked by %s")
112 elif mode == _('answered-by'):
113 questions = Question.objects.filter(children__author=user, children__node_type='answer').distinct()
114 description = _("Questions answered by %s")
115 elif mode == _('subscribed-by'):
116 if not (request.user.is_superuser or request.user == user):
117 return HttpResponseUnauthorized(request)
118 questions = user.subscriptions
120 if request.user == user:
121 description = _("Questions you subscribed %s")
123 description = _("Questions subscribed by %s")
128 return question_list(request, questions,
129 mark_safe(description % hyperlink(user.get_profile_url(), user.username)),
130 request.utils.set_sort_method('active'),
131 page_title=description % user.username)
133 def question_list(request, initial,
134 list_description=_('questions'),
137 page_title=_("All Questions"),
138 allowIgnoreTags=True,
140 paginator_context=None):
142 questions = initial.filter_state(deleted=False)
144 if request.user.is_authenticated() and allowIgnoreTags:
145 questions = questions.filter(~Q(tags__id__in = request.user.marked_tags.filter(user_selections__reason = 'bad')))
147 if page_title is None:
148 page_title = _("Questions")
150 if request.GET.get('type', None) == 'rss':
151 return RssQuestionFeed(questions, page_title, list_description, request)(request)
154 if request.GET.get("q"):
155 keywords = request.GET.get("q").strip()
157 answer_count = Answer.objects.filter_state(deleted=False).filter(parent__in=questions).count()
158 answer_description = _("answers")
161 req_params = "&".join(["%s=%s" % (k, v) for k, v in request.GET.items() if not k in (_('page'), _('pagesize'), _('sort'))])
163 req_params = '&' + req_params
165 feed_url = mark_safe(request.path + "?type=rss" + req_params)
167 return pagination.paginated(request, ('questions', paginator_context or QuestionListPaginatorContext()), {
168 "questions" : questions,
169 "questions_count" : questions.count(),
170 "answer_count" : answer_count,
171 "keywords" : keywords,
172 "list_description": list_description,
173 "answer_description": answer_description,
174 "base_path" : base_path,
175 "page_title" : page_title,
177 'feed_url': feed_url,
182 if request.method == "GET" and "q" in request.GET:
183 keywords = request.GET.get("q")
184 search_type = request.GET.get("t")
187 return HttpResponseRedirect(reverse(index))
188 if search_type == 'tag':
189 return HttpResponseRedirect(reverse('tags') + '?q=%s' % urlquote(keywords.strip()))
190 elif search_type == "user":
191 return HttpResponseRedirect(reverse('users') + '?q=%s' % urlquote(keywords.strip()))
192 elif search_type == "question":
193 return question_search(request, keywords)
195 return render_to_response("search.html", context_instance=RequestContext(request))
197 @decorators.render('questions.html')
198 def question_search(request, keywords):
199 can_rank, initial = Question.objects.search(keywords)
202 paginator_context = QuestionListPaginatorContext()
203 paginator_context.sort_methods[_('ranking')] = pagination.SimpleSort(_('relevance'), '-ranking', _("most relevant questions"))
204 paginator_context.force_sort = _('ranking')
206 paginator_context = None
208 return question_list(request, initial,
209 _("questions matching '%(keywords)s'") % {'keywords': keywords},
211 "%s?t=question&q=%s" % (reverse('search'),django_urlquote(keywords)),
212 _("questions matching '%(keywords)s'") % {'keywords': keywords},
213 paginator_context=paginator_context)
216 @decorators.render('tags.html', 'tags', _('tags'), weight=100)
219 tags = Tag.active.all()
221 if request.method == "GET":
222 stag = request.GET.get("q", "").strip()
224 tags = tags.filter(name__contains=stag)
226 return pagination.paginated(request, ('tags', TagPaginatorContext()), {
232 def update_question_view_times(request, question):
233 if not 'last_seen_in_question' in request.session:
234 request.session['last_seen_in_question'] = {}
236 last_seen = request.session['last_seen_in_question'].get(question.id, None)
238 if (not last_seen) or last_seen < question.last_activity_at:
239 QuestionViewAction(question, request.user, ip=request.META['REMOTE_ADDR']).save()
240 request.session['last_seen_in_question'][question.id] = datetime.datetime.now()
242 request.session['last_seen_in_question'][question.id] = datetime.datetime.now()
244 def match_question_slug(slug):
245 slug_words = slug.split('-')
246 qs = Question.objects.filter(title__istartswith=slug_words[0])
249 if slug == urlquote(slugify(q.title)):
254 def answer_redirect(request, answer):
255 pc = AnswerPaginatorContext()
257 sort = pc.sort(request)
259 if sort == _('oldest'):
260 filter = Q(added_at__lt=answer.added_at)
261 elif sort == _('newest'):
262 filter = Q(added_at__gt=answer.added_at)
263 elif sort == _('votes'):
264 filter = Q(score__gt=answer.score) | Q(score=answer.score, added_at__lt=answer.added_at)
268 count = answer.question.answers.filter(Q(marked=True) | filter).count()
269 pagesize = pc.pagesize(request)
271 page = count / pagesize
279 return HttpResponsePermanentRedirect("%s?%s=%s#%s" % (
280 answer.question.get_absolute_url(), _('page'), page, answer.id))
282 @decorators.render("question.html", 'questions')
283 def question(request, id, slug=None, answer=None):
285 question = Question.objects.get(id=id)
288 question = match_question_slug(slug)
289 if question is not None:
290 return HttpResponseRedirect(question.get_absolute_url())
294 if question.nis.deleted and not request.user.can_view_deleted_post(question):
298 answer = get_object_or_404(Answer, id=answer)
300 if (question.nis.deleted and not request.user.can_view_deleted_post(question)) or answer.question != question:
304 return HttpResponsePermanentRedirect(question.get_absolute_url())
306 return answer_redirect(request, answer)
308 if (not slug) or (slug != urlquote(slugify(question.title))):
309 return HttpResponsePermanentRedirect(question.get_absolute_url())
312 answer_form = AnswerForm(question, request.POST)
314 answer_form = AnswerForm(question)
316 answers = request.user.get_visible_answers(question)
318 update_question_view_times(request, question)
320 if request.user.is_authenticated():
322 subscription = QuestionSubscription.objects.get(question=question, user=request.user)
328 return pagination.paginated(request, ('answers', AnswerPaginatorContext()), {
329 "question" : question,
330 "answer" : answer_form,
332 "similar_questions" : question.get_related_questions(),
333 "subscription": subscription,
337 REVISION_TEMPLATE = template.loader.get_template('node/revision.html')
339 def revisions(request, id):
340 post = get_object_or_404(Node, id=id).leaf
341 revisions = list(post.revisions.order_by('revised_at'))
344 for i, revision in enumerate(revisions):
345 rev_ctx.append(dict(inst=revision, html=template.loader.get_template('node/revision.html').render(template.Context({
346 'title': revision.title,
347 'html': revision.html,
348 'tags': revision.tagname_list(),
352 rev_ctx[i]['diff'] = mark_safe(htmldiff(rev_ctx[i-1]['html'], rev_ctx[i]['html']))
354 rev_ctx[i]['diff'] = mark_safe(rev_ctx[i]['html'])
356 if not (revision.summary):
357 rev_ctx[i]['summary'] = _('Revision n. %(rev_number)d') % {'rev_number': revision.revision}
359 rev_ctx[i]['summary'] = revision.summary
363 return render_to_response('revisions.html', {
365 'revisions': rev_ctx,
366 }, context_instance=RequestContext(request))