2 Models and managers for generic tagging.
4 # Python 2.3 compatibility
5 if not hasattr(__builtins__, 'set'):
6 from sets import Set as set
8 from django.contrib.contenttypes import generic
9 from django.contrib.contenttypes.models import ContentType
10 from django.db import connection, models
11 from django.utils.translation import ugettext_lazy as _
12 from django.db.models.base import ModelBase
14 qn = connection.ops.quote_name
17 from django.db.models.query import parse_lookup
22 def get_queryset_and_model(queryset_or_model):
24 Given a ``QuerySet`` or a ``Model``, returns a two-tuple of
27 If a ``Model`` is given, the ``QuerySet`` returned will be created
28 using its default manager.
31 return queryset_or_model, queryset_or_model.model
32 except AttributeError:
33 return queryset_or_model._default_manager.all(), queryset_or_model
39 class TagManager(models.Manager):
40 def __init__(self, intermediary_table_model):
41 super(TagManager, self).__init__()
42 self.intermediary_table_model = intermediary_table_model
44 def update_tags(self, obj, tags):
46 Update tags associated with an object.
48 content_type = ContentType.objects.get_for_model(obj)
49 current_tags = list(self.filter(items__content_type__pk=content_type.pk,
50 items__object_id=obj.pk))
51 updated_tags = self.model.get_tag_list(tags)
53 # Remove tags which no longer apply
54 tags_for_removal = [tag for tag in current_tags \
55 if tag not in updated_tags]
56 if len(tags_for_removal):
57 self.intermediary_table_model._default_manager.filter(content_type__pk=content_type.pk,
59 tag__in=tags_for_removal).delete()
61 for tag in updated_tags:
62 if tag not in current_tags:
63 self.intermediary_table_model._default_manager.create(tag=tag, content_object=obj)
65 def get_for_object(self, obj):
67 Create a queryset matching all tags associated with the given
70 ctype = ContentType.objects.get_for_model(obj)
71 return self.filter(items__content_type__pk=ctype.pk,
72 items__object_id=obj.pk)
74 def _get_usage(self, model, counts=False, min_count=None, extra_joins=None, extra_criteria=None, params=None, extra=None):
76 Perform the custom SQL query for ``usage_for_model`` and
77 ``usage_for_queryset``.
79 if min_count is not None: counts = True
81 model_table = qn(model._meta.db_table)
82 model_pk = '%s.%s' % (model_table, qn(model._meta.pk.column))
83 tag_columns = self._get_tag_columns()
85 if extra is None: extra = {}
88 extra_where = 'AND ' + ' AND '.join(extra['where'])
91 SELECT DISTINCT %(tag_columns)s%(count_sql)s
94 INNER JOIN %(tagged_item)s
95 ON %(tag)s.id = %(tagged_item)s.tag_id
97 ON %(tagged_item)s.object_id = %(model_pk)s
99 WHERE %(tagged_item)s.content_type_id = %(content_type_id)s
102 GROUP BY %(tag)s.id, %(tag)s.name
104 ORDER BY %(tag)s.%(ordering)s ASC""" % {
105 'tag': qn(self.model._meta.db_table),
106 'ordering': ', '.join(qn(field) for field in self.model._meta.ordering),
107 'tag_columns': tag_columns,
108 'count_sql': counts and (', COUNT(%s)' % model_pk) or '',
109 'tagged_item': qn(self.intermediary_table_model._meta.db_table),
110 'model': model_table,
111 'model_pk': model_pk,
112 'extra_where': extra_where,
113 'content_type_id': ContentType.objects.get_for_model(model).pk,
117 if min_count is not None:
118 min_count_sql = 'HAVING COUNT(%s) >= %%s' % model_pk
119 params.append(min_count)
121 cursor = connection.cursor()
122 cursor.execute(query % (extra_joins, extra_criteria, min_count_sql), params)
124 for row in cursor.fetchall():
125 t = self.model(*row[:len(self.model._meta.fields)])
127 t.count = row[len(self.model._meta.fields)]
131 def usage_for_model(self, model, counts=False, min_count=None, filters=None, extra=None):
133 Obtain a list of tags associated with instances of the given
136 If ``counts`` is True, a ``count`` attribute will be added to
137 each tag, indicating how many times it has been used against
138 the Model class in question.
140 If ``min_count`` is given, only tags which have a ``count``
141 greater than or equal to ``min_count`` will be returned.
142 Passing a value for ``min_count`` implies ``counts=True``.
144 To limit the tags (and counts, if specified) returned to those
145 used by a subset of the Model's instances, pass a dictionary
146 of field lookups to be applied to the given Model as the
147 ``filters`` argument.
149 if extra is None: extra = {}
150 if filters is None: filters = {}
153 # post-queryset-refactor (hand off to usage_for_queryset)
154 queryset = model._default_manager.filter()
155 for f in filters.items():
156 queryset.query.add_filter(f)
157 usage = self.usage_for_queryset(queryset, counts, min_count, extra)
159 # pre-queryset-refactor
164 joins, where, params = parse_lookup(filters.items(), model._meta)
165 extra_joins = ' '.join(['%s %s AS %s ON %s' % (join_type, table, alias, condition)
166 for (alias, (table, join_type, condition)) in joins.items()])
167 extra_criteria = 'AND %s' % (' AND '.join(where))
168 usage = self._get_usage(model, counts, min_count, extra_joins, extra_criteria, params, extra)
172 def usage_for_queryset(self, queryset, counts=False, min_count=None, extra=None):
174 Obtain a list of tags associated with instances of a model
175 contained in the given queryset.
177 If ``counts`` is True, a ``count`` attribute will be added to
178 each tag, indicating how many times it has been used against
179 the Model class in question.
181 If ``min_count`` is given, only tags which have a ``count``
182 greater than or equal to ``min_count`` will be returned.
183 Passing a value for ``min_count`` implies ``counts=True``.
186 raise AttributeError("'TagManager.usage_for_queryset' is not compatible with pre-queryset-refactor versions of Django.")
188 extra_joins = ' '.join(queryset.query.get_from_clause()[0][1:])
189 where, params = queryset.query.where.as_sql()
191 extra_criteria = 'AND %s' % where
194 return self._get_usage(queryset.model, counts, min_count, extra_joins, extra_criteria, params, extra)
196 def related_for_model(self, tags, model, counts=False, min_count=None, extra=None):
198 Obtain a list of tags related to a given list of tags - that
199 is, other tags used by items which have all the given tags.
201 If ``counts`` is True, a ``count`` attribute will be added to
202 each tag, indicating the number of items which have it in
203 addition to the given list of tags.
205 If ``min_count`` is given, only tags which have a ``count``
206 greater than or equal to ``min_count`` will be returned.
207 Passing a value for ``min_count`` implies ``counts=True``.
209 if min_count is not None: counts = True
210 tags = self.model.get_tag_list(tags)
211 tag_count = len(tags)
212 tagged_item_table = qn(self.intermediary_table_model._meta.db_table)
213 tag_columns = self._get_tag_columns()
215 if extra is None: extra = {}
218 extra_where = 'AND ' + ' AND '.join(extra['where'])
221 SELECT %(tag_columns)s%(count_sql)s
222 FROM %(tagged_item)s INNER JOIN %(tag)s ON %(tagged_item)s.tag_id = %(tag)s.id
223 WHERE %(tagged_item)s.content_type_id = %(content_type_id)s
224 AND %(tagged_item)s.object_id IN
226 SELECT %(tagged_item)s.object_id
227 FROM %(tagged_item)s, %(tag)s
228 WHERE %(tagged_item)s.content_type_id = %(content_type_id)s
229 AND %(tag)s.id = %(tagged_item)s.tag_id
230 AND %(tag)s.id IN (%(tag_id_placeholders)s)
231 GROUP BY %(tagged_item)s.object_id
232 HAVING COUNT(%(tagged_item)s.object_id) = %(tag_count)s
234 AND %(tag)s.id NOT IN (%(tag_id_placeholders)s)
236 GROUP BY %(tag)s.id, %(tag)s.name
238 ORDER BY %(tag)s.%(ordering)s ASC""" % {
239 'tag': qn(self.model._meta.db_table),
240 'ordering': ', '.join(qn(field) for field in self.model._meta.ordering),
241 'tag_columns': tag_columns,
242 'count_sql': counts and ', COUNT(%s.object_id)' % tagged_item_table or '',
243 'tagged_item': tagged_item_table,
244 'content_type_id': ContentType.objects.get_for_model(model).pk,
245 'tag_id_placeholders': ','.join(['%s'] * tag_count),
246 'extra_where': extra_where,
247 'tag_count': tag_count,
248 'min_count_sql': min_count is not None and ('HAVING COUNT(%s.object_id) >= %%s' % tagged_item_table) or '',
251 params = [tag.pk for tag in tags] * 2
252 if min_count is not None:
253 params.append(min_count)
255 cursor = connection.cursor()
256 cursor.execute(query, params)
258 for row in cursor.fetchall():
259 tag = self.model(*row[:len(self.model._meta.fields)])
261 tag.count = row[len(self.model._meta.fields)]
265 def _get_tag_columns(self):
266 tag_table = qn(self.model._meta.db_table)
267 return ', '.join('%s.%s' % (tag_table, qn(field.column)) for field in self.model._meta.fields)
270 class TaggedItemManager(models.Manager):
272 FIXME There's currently no way to get the ``GROUP BY`` and ``HAVING``
273 SQL clauses required by many of this manager's methods into
276 For now, we manually execute a query to retrieve the PKs of
277 objects we're interested in, then use the ORM's ``__in``
278 lookup to return a ``QuerySet``.
280 Once the queryset-refactor branch lands in trunk, this can be
281 tidied up significantly.
283 def __init__(self, tag_model):
284 super(TaggedItemManager, self).__init__()
285 self.tag_model = tag_model
287 def get_by_model(self, queryset_or_model, tags):
289 Create a ``QuerySet`` containing instances of the specified
290 model associated with a given tag or list of tags.
292 tags = self.tag_model.get_tag_list(tags)
293 tag_count = len(tags)
295 # No existing tags were given
296 queryset, model = get_queryset_and_model(queryset_or_model)
297 return model._default_manager.none()
299 # Optimisation for single tag - fall through to the simpler
303 return self.get_intersection_by_model(queryset_or_model, tags)
305 queryset, model = get_queryset_and_model(queryset_or_model)
306 content_type = ContentType.objects.get_for_model(model)
307 opts = self.model._meta
308 tagged_item_table = qn(opts.db_table)
309 return queryset.extra(
310 tables=[opts.db_table],
312 '%s.content_type_id = %%s' % tagged_item_table,
313 '%s.tag_id = %%s' % tagged_item_table,
314 '%s.%s = %s.object_id' % (qn(model._meta.db_table),
315 qn(model._meta.pk.column),
318 params=[content_type.pk, tag.pk],
321 def get_intersection_by_model(self, queryset_or_model, tags):
323 Create a ``QuerySet`` containing instances of the specified
324 model associated with *all* of the given list of tags.
326 tags = self.tag_model.get_tag_list(tags)
327 tag_count = len(tags)
328 queryset, model = get_queryset_and_model(queryset_or_model)
331 return model._default_manager.none()
333 model_table = qn(model._meta.db_table)
334 # This query selects the ids of all objects which have all the
338 FROM %(model)s, %(tagged_item)s
339 WHERE %(tagged_item)s.content_type_id = %(content_type_id)s
340 AND %(tagged_item)s.tag_id IN (%(tag_id_placeholders)s)
341 AND %(model_pk)s = %(tagged_item)s.object_id
342 GROUP BY %(model_pk)s
343 HAVING COUNT(%(model_pk)s) = %(tag_count)s""" % {
344 'model_pk': '%s.%s' % (model_table, qn(model._meta.pk.column)),
345 'model': model_table,
346 'tagged_item': qn(self.model._meta.db_table),
347 'content_type_id': ContentType.objects.get_for_model(model).pk,
348 'tag_id_placeholders': ','.join(['%s'] * tag_count),
349 'tag_count': tag_count,
352 cursor = connection.cursor()
353 cursor.execute(query, [tag.pk for tag in tags])
354 object_ids = [row[0] for row in cursor.fetchall()]
355 if len(object_ids) > 0:
356 return queryset.filter(pk__in=object_ids)
358 return model._default_manager.none()
360 def get_union_by_model(self, queryset_or_model, tags):
362 Create a ``QuerySet`` containing instances of the specified
363 model associated with *any* of the given list of tags.
365 tags = self.tag_model.get_tag_list(tags)
366 tag_count = len(tags)
367 queryset, model = get_queryset_and_model(queryset_or_model)
370 return model._default_manager.none()
372 model_table = qn(model._meta.db_table)
373 # This query selects the ids of all objects which have any of
377 FROM %(model)s, %(tagged_item)s
378 WHERE %(tagged_item)s.content_type_id = %(content_type_id)s
379 AND %(tagged_item)s.tag_id IN (%(tag_id_placeholders)s)
380 AND %(model_pk)s = %(tagged_item)s.object_id
381 GROUP BY %(model_pk)s""" % {
382 'model_pk': '%s.%s' % (model_table, qn(model._meta.pk.column)),
383 'model': model_table,
384 'tagged_item': qn(self.model._meta.db_table),
385 'content_type_id': ContentType.objects.get_for_model(model).pk,
386 'tag_id_placeholders': ','.join(['%s'] * tag_count),
389 cursor = connection.cursor()
390 cursor.execute(query, [tag.pk for tag in tags])
391 object_ids = [row[0] for row in cursor.fetchall()]
392 if len(object_ids) > 0:
393 return queryset.filter(pk__in=object_ids)
395 return model._default_manager.none()
397 def get_related(self, obj, queryset_or_model, num=None):
399 Retrieve a list of instances of the specified model which share
400 tags with the model instance ``obj``, ordered by the number of
401 shared tags in descending order.
403 If ``num`` is given, a maximum of ``num`` instances will be
406 queryset, model = get_queryset_and_model(queryset_or_model)
407 model_table = qn(model._meta.db_table)
408 content_type = ContentType.objects.get_for_model(obj)
409 related_content_type = ContentType.objects.get_for_model(model)
411 SELECT %(model_pk)s, COUNT(related_tagged_item.object_id) AS %(count)s
412 FROM %(model)s, %(tagged_item)s, %(tag)s, %(tagged_item)s related_tagged_item
413 WHERE %(tagged_item)s.object_id = %%s
414 AND %(tagged_item)s.content_type_id = %(content_type_id)s
415 AND %(tag)s.id = %(tagged_item)s.tag_id
416 AND related_tagged_item.content_type_id = %(related_content_type_id)s
417 AND related_tagged_item.tag_id = %(tagged_item)s.tag_id
418 AND %(model_pk)s = related_tagged_item.object_id"""
419 if content_type.pk == related_content_type.pk:
420 # Exclude the given instance itself if determining related
421 # instances for the same model.
423 AND related_tagged_item.object_id != %(tagged_item)s.object_id"""
425 GROUP BY %(model_pk)s
426 ORDER BY %(count)s DESC
429 'model_pk': '%s.%s' % (model_table, qn(model._meta.pk.column)),
430 'count': qn('count'),
431 'model': model_table,
432 'tagged_item': qn(self.model._meta.db_table),
433 'tag': qn(self.model._meta.get_field('tag').rel.to._meta.db_table),
434 'content_type_id': content_type.pk,
435 'related_content_type_id': related_content_type.pk,
436 'limit_offset': num is not None and connection.ops.limit_offset_sql(num) or '',
439 cursor = connection.cursor()
440 cursor.execute(query, [obj.pk])
441 object_ids = [row[0] for row in cursor.fetchall()]
442 if len(object_ids) > 0:
443 # Use in_bulk here instead of an id__in lookup, because id__in would
444 # clobber the ordering.
445 object_dict = queryset.in_bulk(object_ids)
446 return [object_dict[object_id] for object_id in object_ids \
447 if object_id in object_dict]
455 def create_intermediary_table_model(model):
456 """Create an intermediary table model for the specific tag model"""
457 name = model.__name__ + 'Relation'
460 db_table = '%s_relation' % model._meta.db_table
461 unique_together = (('tag', 'content_type', 'object_id'),)
463 def obj_unicode(self):
464 return u'%s [%s]' % (self.content_type.get_object_for_this_type(pk=self.object_id), self.tag)
466 # Set up a dictionary to simulate declarations within a class
468 '__module__': model.__module__,
470 'tag': models.ForeignKey(model, verbose_name=_('tag'), related_name='items'),
471 'content_type': models.ForeignKey(ContentType, verbose_name=_('content type')),
472 'object_id': models.PositiveIntegerField(_('object id'), db_index=True),
473 'content_object': generic.GenericForeignKey('content_type', 'object_id'),
474 '__unicode__': obj_unicode,
477 return type(name, (models.Model,), attrs)
480 class TagMeta(ModelBase):
481 "Metaclass for tag models (models inheriting from TagBase)."
482 def __new__(cls, name, bases, attrs):
483 model = super(TagMeta, cls).__new__(cls, name, bases, attrs)
484 if not model._meta.abstract:
485 # Create an intermediary table and register custom managers for concrete models
486 model.intermediary_table_model = create_intermediary_table_model(model)
487 TagManager(model.intermediary_table_model).contribute_to_class(model, 'objects')
488 TaggedItemManager(model).contribute_to_class(model.intermediary_table_model, 'objects')
492 class TagBase(models.Model):
493 """Abstract class to be inherited by model classes."""
494 __metaclass__ = TagMeta
500 def get_tag_list(tag_list):
502 Utility function for accepting tag input in a flexible manner.
504 You should probably override this method in your subclass.
506 if isinstance(tag_list, TagBase):