I’m working on making some data consults in Django but I don’t understand quite well its ORM system yet. I need to get the transactions’ quantity for a particularly transaction’s projections. To put it briefly, I want to translate this SQL query to Python/Django syntax:
JavaScript
x
6
1
select cp.name, count(*) as total
2
from core_transaction ct
3
inner join core_projection cp
4
on ct.projection_id = cp.id
5
group by cp.name
6
These are the models involved:
JavaScript
1
8
1
class Transaction(models.Model):
2
date = models.DateField()
3
projection = models.ForeignKey('Projection', blank=False, null=False, related_name='transactions')
4
5
class Projection(models.Model):
6
name = models.CharField(max_length=150)
7
description = models.CharField(max_length=300, blank=True, null=True)
8
Advertisement
Answer
You do this with an [.annotate(…)
clause [Django-doc]]:
JavaScript
1
5
1
from django.db.models import Count
2
3
Projection.objects.annotate(
4
total=Count('transactions')
5
)
The Projection
objects that arise from this queryset will have an extra attribute .total
that contain the number of Transaction
s.