For a long time I've been meaning to find a more convenient way to filter comments. I really disliked the way we had to retrieve them through a tag, which either retrieved "all or nothing".
Sometimes it's necessary to retrieve comments from a subset of objects, such as comments for all blog posts "in category Cars".
To do this efficiently with minimal changes to the database, we'll need a proxy model. This proxy model has no table in the database but allows us to tweak the manager.
Firstly, define the proxy class and manager.
01.
from
django.conf
import
settings
02.
from
django.contrib.comments.managers
import
CommentManager
03.
from
django.contrib.comments.models
import
Comment
04.
05.
class
CommentObjectManager(CommentManager):
06.
def
comments_for_objects(
self
, objects):
07.
"""
08.
This is the magic query that links the `django_comments` table to the selected range of objects.
09.
The reason why we have to do this is because the django_comments.object_pk field is stored as an string.
10.
By casting it to an integer, we can then link it back to the original model without errors.
11.
It's a bit hackish, but it's the cleanest way I found find to get it working.
12.
"""
13.
# The usual filters for comments
14.
qs
=
self
.for_model(objects.model)
15.
qs
=
qs.filter(site
=
settings.SITE_ID, is_public
=
True
, is_removed
=
False
)
16.
17.
# Link objects to the comments table
18.
# This is for PostgreSQL. I'm sure there's a matching cast for MySQL and such.
19.
extra_where
=
'CAST(django_comments.object_pk AS int) IN (%s)'
%
','
.join([
'%s'
%
obj.pk
for
obj
in
objects ])
20.
21.
return
qs.extra(where
=
[extra_where]).order_by(
'-submit_date'
)
22.
23.
class
CommentObject(Comment):
24.
"""
25.
This dummy proxy class allows you to filter comments by certain objects.
26.
"""
27.
class
Meta:
28.
proxy
=
True
29.
30.
objects
=
CommentObjectManager()
Now that the hard part is done, we just need a way to use it.
1.
def
for_posts_in_category(
self
, category, limit
=
1500
):
2.
"""
3.
Example: Returns comments for the latest 1500 posts in the category given.
4.
"""
5.
restriction
=
BlogPost.objects.all_in_category(category)[:limit]
6.
return
CommentObject.objects.comments_for_objects(restriction)