我想计算产品的折扣。我正在使用@property在models.py中计算价格。但是我面临的问题是产品表位于包含价格的Product应用程序(models.py)中,而数量则位于Cart应用程序(models.py)中。总的来说,我想乘以价格*数量。我面临的错误是get_total_price没有计算金额。 view.py
def cart_detail(request):
cart = Carts(request)
coupon_apply_form = CouponApplyForm()
context = {
'cart':cart,
'coupon_apply_form':coupon_apply_form
}
return render(request,'carts/coupon.html',context)
购物车/模型.py
class CartItem(models.Model):
cart=models.ForeignKey('Cart',on_delete=models.SET_NULL,null=True,blank=True)
product=models.ForeignKey(Product,on_delete=models.SET_NULL,null=True,blank=True)
quantity=models.IntegerField(default=1)
class Cart(models.Model):
product = models.ManyToManyField(Product, blank=True)
total= models.DecimalField( default=0.00, max_digits=100, decimal_places=2)
Product / models.py
class Product(models.Model):
price = models.DecimalField(decimal_places=2, max_digits=20, default=0.00)
在我的 Cart / models.py
中class Carts(object):
"""docstring for Cart"""
def __init__(self, request):
"""initalize the cart"""
self.session = request.session
cart = self.session.get(settings.CART_SESSION_ID)
if not cart:
cart = self.session[settings.CART_SESSION_ID] = {}
self.cart = cart
self.coupon_id = self.session.get('coupon_id')
def __len__(self):
return sum(item['quantity'] for item in self.cart.values())
def get_total_price(self):
return sum(Decimal(item['price']) * item['quantity'] for item in self.cart.values())
def clear(self):
del self.session[settings.CART_SESSION_ID]
self.session.modified = True
@property
def coupon(self):
if self.coupon_id:
return Coupons.objects.get(id=self.coupon_id)
return None
def get_discount(self):
if self.coupon:
return (self.coupon.discount / Decimal('100')) * self.get_total_price()
return Decimal('0')
def get_total_price_after_discount(self):
return self.get_total_price() - self.get_discount()
在上面的代码中,当我从get_total_price_after_discount中删除self.get_total_price,然后显示折扣价,否则显示为0.00。
购物车/template.html
<table>
{% if cart.coupon %}
<tr class="gray2">
{% block trans %}
{% with code=cart.coupon.code discount=cart.coupon.discount %}
<td colspan="2">"{{code}}" coupon ({{discount}})% off</td>
{% endwith %}
{% endblock trans %}
<td colspan="4"></td>
<td class="num neg"> {{cart.get_discount|floatformat:"2"}}</td>
</tr>
{% endif %}
<tr class="total">
<td>Total</td>
<td colspan="4"></td>
<td class="num">{{cart.get_total_price_after_discount|floatformat:"2"}}</td>
</tr>
</table>
但是它将总计显示为0.00。我也尝试过:
def get_total_price(self):
return self.product.price* self.cartitem.quantity
但徒劳无功。在这方面请帮我吗?
注意: 我在cart / views.py中做了一个函数来计算总数。我可以在cart / models.py中以某种方式致电使用该计算。
预先感谢
答案 0 :(得分:1)
我们可以在Cart
模型中计算汇总,例如:
from decimal import Decimal
from django.db.models import F, Sum
class Cart(models.Model):
# ...
@property
def total_price(self):
return self.cartitem_set.aggregate(
total_price=Sum(F('quantity') * F('product__price'))
)['total_price'] or Decimal('0')
对于Cart
,我们可以将其呈现为:
<td class="num">{{ cart.total_price|floatformat:"2" }}</td>