Created
April 9, 2021 09:03
-
-
Save bblanchon/9e158058fe360e93b1c5d5ce5310015e to your computer and use it in GitHub Desktop.
Django Subquery Aggregate (Count, Sum...)
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
from django.db.models import OuterRef | |
weapons = Weapon.objects.filter(unit__player_id=OuterRef('id')) | |
units = Unit.objects.filter(player_id=OuterRef('id')) | |
qs = Player.objects.annotate(weapon_count=SubqueryCount(weapons), | |
rarity_sum=SubquerySum(units, 'rarity')) |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
class SubqueryCount(Subquery): | |
# Custom Count function to just perform simple count on any queryset without grouping. | |
# https://stackoverflow.com/a/47371514/1164966 | |
template = "(SELECT count(*) FROM (%(subquery)s) _count)" | |
output_field = PositiveIntegerField() | |
class SubqueryAggregate(Subquery): | |
# https://code.djangoproject.com/ticket/10060 | |
template = '(SELECT %(function)s(_agg."%(column)s") FROM (%(subquery)s) _agg)' | |
def __init__(self, queryset, column, output_field=None, **extra): | |
if not output_field: | |
# infer output_field from field type | |
output_field = queryset.model._meta.get_field(column) | |
super().__init__(queryset, output_field, column=column, function=self.function, **extra) | |
class SubquerySum(SubqueryAggregate): | |
function = 'SUM' |
Just an observation.
Unlike Sum
, default
does not work with SubquerySum
. Ex: Sum(..., default=0)
Coalesce
has to be used instead.
Ex: Coalesce(SubquerySum(units, 'rarity'), 0)
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment
Originally posted here: https://stackoverflow.com/a/64986185/1164966