Django - 评论



在开始之前,请注意 Django 评论框架已在 1.5 版本中弃用。现在您可以使用外部功能来实现此目的,但如果您仍然想使用它,它仍然包含在 1.6 和 1.7 版本中。从 1.8 版本开始,它不存在,但您仍然可以在不同的 GitHub 帐户上获取代码。

评论框架使您可以轻松地将评论附加到应用程序中的任何模型。

要开始使用 Django 评论框架 -

编辑项目 settings.py 文件,并将 'django.contrib.sites''django.contrib.comments' 添加到 INSTALLED_APPS 选项中 -

INSTALLED_APPS += ('django.contrib.sites', 'django.contrib.comments',)

获取站点 ID -

>>> from django.contrib.sites.models import Site
>>> Site().save()
>>> Site.objects.all()[0].id
u'56194498e13823167dd43c64'

在 settings.py 文件中设置您获得的 ID -

SITE_ID = u'56194498e13823167dd43c64'

同步数据库,以创建所有评论表或集合 -

python manage.py syncdb

将评论应用程序的 URL 添加到项目的 urls.py 中 -

from django.conf.urls import include
url(r'^comments/', include('django.contrib.comments.urls')),

现在我们已经安装了框架,让我们更改我们的 hello 模板以跟踪我们 Dreamreal 模型上的评论。我们将列出、保存特定 Dreamreal 条目的评论,其名称将作为参数传递给 /myapp/hello URL。

Dreamreal 模型

class Dreamreal(models.Model):

   website = models.CharField(max_length = 50)
   mail = models.CharField(max_length = 50)
   name = models.CharField(max_length = 50)
   phonenumber = models.IntegerField()

   class Meta:
      db_table = "dreamreal"

hello 视图

def hello(request, Name):
   today = datetime.datetime.now().date()
   daysOfWeek = ['Mon', 'Tue', 'Wed', 'Thu', 'Fri', 'Sat', 'Sun']
   dreamreal = Dreamreal.objects.get(name = Name)
   return render(request, 'hello.html', locals())

hello.html 模板

{% extends "main_template.html" %}
{% load comments %}
{% block title %}My Hello Page{% endblock %}
{% block content %}

<p>
   Our Dreamreal Entry:
   <p><strong>Name :</strong> {{dreamreal.name}}</p>
   <p><strong>Website :</strong> {{dreamreal.website}}</p>
   <p><strong>Phone :</strong> {{dreamreal.phonenumber}}</p>
   <p><strong>Number of comments :<strong> 
   {% get_comment_count for dreamreal as comment_count %} {{ comment_count }}</p>
   <p>List of comments :</p>
   {% render_comment_list for dreamreal %}
</p>

{% render_comment_form for dreamreal %}
{% endblock %}

最后将 URL 映射到我们的 hello 视图 -

url(r'^hello/(?P<Name>\w+)/', 'hello', name = 'hello'),

现在,

  • 在我们的模板 (hello.html) 中,使用 - {% load comments %} 加载评论框架

  • 我们获取视图传递的 Dreamreal 对象的评论数量 - {% get_comment_count for dreamreal as comment_count %}

  • 我们获取对象的评论列表 - {% render_comment_list for dreamreal %}

  • 我们显示默认的评论表单 - {% render_comment_form for dreamreal %}

访问 /myapp/hello/steve 时,您将获得名称为 Steve 的 Dreamreal 条目的评论信息。访问该 URL 将为您提供 -

Django Comments Example

发布评论后,您将重定向到以下页面 -

Comments Redirected Page

如果您再次访问 /myapp/hello/steve,您将看到以下页面 -

Number of Comments

如您所见,评论数量现在为 1,并且您在评论列表行下有评论。

广告