0

我在我的 中创建了一个clean_message方法forms.py,它检查是否self.message有东西,并在没有的情况下引发 a ValidationError

"""
Comment
"""
class CommentForm(forms.Form):
    """
    Comment field
    """
    comment = forms.CharField(
        widget = forms.Textarea(
            attrs = {
                'class': 'form-control',
                'rows': 2 
            }
        )
    )

    def clean_comment(self):
        if self.cleaned_data['comment'] is None:
            raise form.ValidationError({'comment': ['You must enter your comment'])

这是视图文件。我需要什么来显示错误,如上图所示?

<form action="comment" method="POST">
    {% csrf_token %}
    <div class="form-group">
        {{ form.comment.errors }}
        {{ form.comment }}
    </div>
    <div class="form-group">
        <input type="submit" value="Say it" class="btn btn-success"> 
    </div>
</form>

我尝试过使用{{ form.errors }},迭代它,使用{{ form.non_field_errors }}等,但没有奏效。我想我正在重新加载表单,因此不会显示消息。

下面是我write_comment的方法,点击按钮发表评论时执行的方法:

def write_comment(request, post_id):
    """
    Write a new comment to a post
    """
    form = CommentForm(request.POST or None)

    if form.is_valid():
        post = Post.objects.get(pk = post_id)
        post.n_comments += 1
        post.save()

        comment = Comment()
        comment.comment = request.POST['comment']
        comment.created_at = timezone.now()
        comment.modified_at = timezone.now()
        comment.post_id = post_id
        comment.user_id = 2
        comment.save()
    else:
        form = CommentForm()

    return redirect(reverse('blog:post', args = (post_id,)))
4

1 回答 1

0

如果您希望该字段是必需的,只需使用required=True.

comment = CharField(
    required=True,
    widget = forms.Textarea(
        attrs = {
            'class': 'form-control',
            'rows': 2 
        }
    )
)

这样,就不需要编写clean_comment方法了。您当前的方法失败,因为self.cleaned_data['comment']是空字符串'',但如果是,您只会显示错误None

在模板中,{{ form.comment.errors }}应该可以正常工作。

于 2016-03-20T23:59:17.367 回答