|
|
# 视图模块:处理评论提交流程(GET 重定向到文章评论区,POST 验证与保存评论)。
|
|
|
from django.core.exceptions import ValidationError
|
|
|
from django.http import HttpResponseRedirect
|
|
|
from django.shortcuts import get_object_or_404
|
|
|
from django.utils.decorators import method_decorator
|
|
|
from django.views.decorators.csrf import csrf_protect
|
|
|
from django.views.generic.edit import FormView
|
|
|
|
|
|
from accounts.models import BlogUser
|
|
|
from blog.models import Article
|
|
|
from .forms import CommentForm
|
|
|
from .models import Comment
|
|
|
|
|
|
|
|
|
class CommentPostView(FormView):
|
|
|
"""评论提交视图:负责表单展示、验证与保存评论"""
|
|
|
form_class = CommentForm
|
|
|
template_name = 'blog/article_detail.html'
|
|
|
|
|
|
@method_decorator(csrf_protect)
|
|
|
def dispatch(self, *args, **kwargs):
|
|
|
# CSRF 保护装饰器,保障 POST 安全
|
|
|
return super(CommentPostView, self).dispatch(*args, **kwargs)
|
|
|
|
|
|
def get(self, request, *args, **kwargs):
|
|
|
# 直接跳转至文章评论区(锚点)
|
|
|
article_id = self.kwargs['article_id']
|
|
|
article = get_object_or_404(Article, pk=article_id)
|
|
|
url = article.get_absolute_url()
|
|
|
return HttpResponseRedirect(url + "#comments")
|
|
|
|
|
|
def form_invalid(self, form):
|
|
|
# 表单校验失败时,返回文章详情页并携带错误信息
|
|
|
article_id = self.kwargs['article_id']
|
|
|
article = get_object_or_404(Article, pk=article_id)
|
|
|
|
|
|
return self.render_to_response({
|
|
|
'form': form,
|
|
|
'article': article
|
|
|
})
|
|
|
|
|
|
def form_valid(self, form):
|
|
|
"""提交的数据验证合法后的逻辑"""
|
|
|
# 保存评论主体与作者、父评论等信息;若站点不需要审核则直接启用
|
|
|
user = self.request.user
|
|
|
author = BlogUser.objects.get(pk=user.pk)
|
|
|
article_id = self.kwargs['article_id']
|
|
|
article = get_object_or_404(Article, pk=article_id)
|
|
|
|
|
|
if article.comment_status == 'c' or article.status == 'c':
|
|
|
raise ValidationError("该文章评论已关闭.")
|
|
|
comment = form.save(False)
|
|
|
comment.article = article
|
|
|
from djangoblog.utils import get_blog_setting
|
|
|
settings = get_blog_setting()
|
|
|
if not settings.comment_need_review:
|
|
|
comment.is_enable = True
|
|
|
comment.author = author
|
|
|
|
|
|
if form.cleaned_data['parent_comment_id']:
|
|
|
parent_comment = Comment.objects.get(
|
|
|
pk=form.cleaned_data['parent_comment_id'])
|
|
|
comment.parent_comment = parent_comment
|
|
|
|
|
|
comment.save(True)
|
|
|
return HttpResponseRedirect(
|
|
|
"%s#div-comment-%d" %
|
|
|
(article.get_absolute_url(), comment.pk))
|