How do I calculate a many-to-many sum of products

2.2k Views Asked by At

i have this code, but they dont calculate the current amout. i need to save 2 times for makes work.they need dates on the table.

the menu class have:

product
description
price

.

from django.db import models
from django.utils.encoding import smart_unicode
from menu.models import Menu

class Order(models.Model):
    date = models.DateTimeField(auto_now_add=True, null=True)
    table = models.IntegerField(null=False, max_length=2, )
    products = models.ManyToManyField(Menu,through='OrderProduct')
    paid = models.BooleanField(default=False)
    total = models.IntegerField(,default=0,editable=False,null=True)

    def save(self, *args, **kwargs):
        self.total = 0
        for product in self.products.all():
            relationship_queryset = OrderProduct.objects.filter(order=self, product=product)
            for p in relationship_queryset.all():
                 self.total +=  p.total_products
        super(Order, self).save(*args, **kwargs)

    def __unicode__(self):
        return smart_unicode(self.table)

class OrderProduct(models.Model):
    order = models.ForeignKey(Order)
    product = models.ForeignKey(Menu)
    num_products = models.IntegerField(max_length=2)
    total_products = models.IntegerField(default=0,editable=False)

    def save(self, *args, **kwargs):
        self.total_products = (self.product.precio * self.num_products)
        super(OrderProduct, self).save(*args, **kwargs)

Update2

I use post_save but return maximum recursion depth exceeded
Them i found hint of @cached_property and change the custom seve method to this cached property. i dont know is the best way to do but is workin.

@cached_property
def total(self):
    x = 0
    for product in self.productos.all():
        relationship_queryset = OrderProduct.objects.filter(order=self, product=product)
        for p in relationship_queryset.all():
             x +=  p.total_products
    return x
1

There are 1 best solutions below

0
On

Use aggregation. You don't have to store total value in the model. Just query it every time you need it. https://docs.djangoproject.com/en/dev/topics/db/aggregation/

>>> OrderProduct.objects.filter(product=product).aggregate(
...    total=Sum(F('total_products'), output_field=IntegerField())
{'total': 123}

I didn't test this code, but you get the idea.