Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Django: how to aggregate / annotate over a many-to-many relationship?

I have a Person model and a Tag model, with a m2m between them.

I need to extract the tag which is connected to the most records within a given Person queryset, together with the count.

Is there an elegant, efficient way to extract this using the Django ORM?

Better yet, is there a way to get the entire tag distribution through some annotation? How can one even pull all of the objects connected to a subset of objects connected via a m2m?

Thanks!

like image 826
GJ. Avatar asked Aug 31 '10 20:08

GJ.


2 Answers

I need to extract the tag which is connected to the most records within a given Person queryset, together with the count.

I faced a similar problem before. In my case the m2m relationship was defined between Unit and Weapon models. I used the following query to find out the number of weapons used by each Unit and sort them in descending order of number of weapons.

from django.db.models import Count
q = Unit.objects.all().annotate(count = Count('weapons')).order_by('-count')

I would adjust the query for your requirement thus:

q = User.objects.all().annotate(count = Count('tag')).order_by('-count')
like image 175
Manoj Govindan Avatar answered Sep 21 '22 13:09

Manoj Govindan


This would give you the most frequent tag:

from django.db.models import Count
Tag.objects.filter(person__yourcriterahere=whatever [, morecriteria]).annotate(cnt=Count('person')).order_by('-cnt')[0]
like image 35
GJ. Avatar answered Sep 17 '22 13:09

GJ.