|
|
# zy: 评论视图模块 - 处理评论相关的视图逻辑和请求处理
|
|
|
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
|
|
|
|
|
|
# zy: 导入相关模型类
|
|
|
from accounts.models import BlogUser
|
|
|
from blog.models import Article
|
|
|
from .forms import CommentForm
|
|
|
from .models import Comment
|
|
|
|
|
|
# zy: 评论发表视图类 - 基于FormView处理评论提交
|
|
|
class CommentPostView(FormView):
|
|
|
form_class = CommentForm
|
|
|
template_name = 'blog/article_detail.html'
|
|
|
|
|
|
# zy: 添加CSRF保护装饰器,防止跨站请求伪造攻击
|
|
|
@method_decorator(csrf_protect)
|
|
|
def dispatch(self, *args, **kwargs):
|
|
|
return super(CommentPostView, self).dispatch(*args, **kwargs)
|
|
|
|
|
|
# zy: 处理GET请求 - 当用户直接访问评论URL时重定向到文章页面
|
|
|
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")
|
|
|
|
|
|
# zy: 表单验证失败时的处理逻辑
|
|
|
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
|
|
|
})
|
|
|
|
|
|
# zy: 表单验证成功时的处理逻辑 - 保存评论数据
|
|
|
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)
|
|
|
|
|
|
# zy: 检查文章是否允许评论
|
|
|
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
|
|
|
|
|
|
# zy: 处理评论回复逻辑
|
|
|
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))
|