什么是原始SQL的模型查询

时间:2019-08-19 13:09:46

标签: django django-queryset

我正在处理某种价目表,价格会随着时间而变化。 我在检索每种产品的最新价格时遇到了问题。

我的模型如下:

from django.db import models
from django.core.validators import MinValueValidator, MaxValueValidator

class Product(models.Model):
    id = models.PositiveIntegerField(primary_key=True, validators=[MinValueValidator(10000), MaxValueValidator(99999)])
    name = models.CharField(max_length=100, null=False, blank=False)

    def __str__(self):
        return f'[{self.id}] {self.name}'


class ProductPart(models.Model):
    product = models.ForeignKey('Product', on_delete=models.CASCADE, null=False)
    price = models.DecimalField(decimal_places=2, max_digits=7, null=False)
    date_created = models.DateTimeField(auto_now_add=True)
    date_changed = models.DateTimeField(auto_now=True)

我对此有一个原始的SQL变体,但无法弄清楚如何将其转换为Django查询。
原始查询是:

select
    pp.id as product_id,
    pp.name as product_name,
    ppp.price as price
from 
    pricelist_Product as pp 
    inner join pricelist_ProductPart as ppp 
    on pp.id=ppp.product_id
where 
    (pp.id, ppp.id) in  
        (
            select 
                pp.product_id, 
                max(pp.id)
            from 
                pricelist_ProductPart as pp 
            group by 
                pp.product_id
        )

请帮助我。

2 个答案:

答案 0 :(得分:0)

Django实际上为此提供了一个选项: 参见Django Documentation here

raw()

您可以这样使用它:

for i in Product.objects.raw("SELECT * FROM myapp_products"):
    print(i)

您可以在Django Shell中对其进行测试。希望有帮助!

答案 1 :(得分:0)

ORM可以使用子查询做到这一点

from django.db.models import Subquery, OuterRef

subquery = Subquery(ProductPart.objects.
                    filter(product_id=OuterRef('pk')).
                    order_by('-date_created').  # Can order by date_changed or id if you want
                    values('price')[:1])

Product.objects.annotate(most_recent_price=subquery)