Source code for oscar.apps.basket.abstract_models

import zlib
from decimal import Decimal as D
from operator import itemgetter

from django.conf import settings
from django.core.exceptions import ObjectDoesNotExist, PermissionDenied
from django.core.serializers.json import DjangoJSONEncoder
from django.db import models
from django.db.models import Sum
from django.utils.encoding import smart_str
from django.utils.timezone import now
from django.utils.translation import gettext_lazy as _

from oscar.core.compat import AUTH_USER_MODEL
from oscar.core.loading import get_class, get_classes
from oscar.core.utils import get_default_currency, round_half_up
from oscar.core.decorators import deprecated
from oscar.models.fields.slugfield import SlugField
from oscar.templatetags.currency_filters import currency

OfferApplications = get_class("offer.results", "OfferApplications")
Unavailable = get_class("partner.availability", "Unavailable")
LineDiscountRegistry = get_class("basket.utils", "LineDiscountRegistry")
OpenBasketManager, SavedBasketManager = get_classes(
    "basket.managers", ["OpenBasketManager", "SavedBasketManager"]
)


[docs]class AbstractBasket(models.Model): """ Basket object """ # Baskets can be anonymously owned - hence this field is nullable. When a # anon user signs in, their two baskets are merged. owner = models.ForeignKey( AUTH_USER_MODEL, null=True, related_name="baskets", on_delete=models.CASCADE, verbose_name=_("Owner"), ) # Basket statuses # - Frozen is for when a basket is in the process of being submitted # and we need to prevent any changes to it. OPEN, MERGED, SAVED, FROZEN, SUBMITTED = ( "Open", "Merged", "Saved", "Frozen", "Submitted", ) STATUS_CHOICES = ( (OPEN, _("Open - currently active")), (MERGED, _("Merged - superceded by another basket")), (SAVED, _("Saved - for items to be purchased later")), (FROZEN, _("Frozen - the basket cannot be modified")), (SUBMITTED, _("Submitted - has been ordered at the checkout")), ) status = models.CharField( _("Status"), max_length=128, default=OPEN, choices=STATUS_CHOICES ) # A basket can have many vouchers attached to it. However, it is common # for sites to only allow one voucher per basket - this will need to be # enforced in the project's codebase. vouchers = models.ManyToManyField( "voucher.Voucher", verbose_name=_("Vouchers"), blank=True ) date_created = models.DateTimeField(_("Date created"), auto_now_add=True) date_merged = models.DateTimeField(_("Date merged"), null=True, blank=True) date_submitted = models.DateTimeField(_("Date submitted"), null=True, blank=True) # Only if a basket is in one of these statuses can it be edited editable_statuses = (OPEN, SAVED) class Meta: abstract = True app_label = "basket" verbose_name = _("Basket") verbose_name_plural = _("Baskets") objects = models.Manager() open = OpenBasketManager() saved = SavedBasketManager() def __init__(self, *args, **kwargs): super().__init__(*args, **kwargs) # We keep a cached copy of the basket lines as we refer to them often # within the same request cycle. Also, applying offers will append # discount data to the basket lines which isn't persisted to the DB and # so we want to avoid reloading them as this would drop the discount # information. self._lines = None self.offer_applications = OfferApplications() def __str__(self): return _("%(status)s basket (owner: %(owner)s, lines: %(num_lines)d)") % { "status": self.status, "owner": self.owner, "num_lines": self.num_lines, } # ======== # Strategy # ======== @property def has_strategy(self): return hasattr(self, "_strategy") def _get_strategy(self): if not self.has_strategy: raise RuntimeError( "No strategy class has been assigned to this basket. " "This is normally assigned to the incoming request in " "oscar.apps.basket.middleware.BasketMiddleware. " "Since it is missing, you must be doing something different. " "Ensure that a strategy instance is assigned to the basket!" ) return self._strategy def _set_strategy(self, strategy): self._strategy = strategy # pylint: disable=W0201 strategy = property(_get_strategy, _set_strategy)
[docs] def all_lines(self): """ Return a cached set of basket lines. This is important for offers as they alter the line models and you don't want to reload them from the DB as that information would be lost. """ if self.id is None: return self.lines.model.objects.none() # pylint: disable=E1101 if self._lines is None: self._lines = ( self.lines.select_related("product", "stockrecord") .prefetch_related("attributes", "product__images") .order_by(self._meta.pk.name) ) return self._lines
[docs] def max_allowed_quantity(self): """ Returns maximum product quantity, that can be added to the basket with the respect to basket quantity threshold. """ basket_threshold = settings.OSCAR_MAX_BASKET_QUANTITY_THRESHOLD if basket_threshold: total_basket_quantity = self.num_items max_allowed = basket_threshold - total_basket_quantity return max_allowed, basket_threshold return None, None
[docs] def is_quantity_allowed(self, qty, line=None): """ Test whether the passed quantity of items can be added to the basket """ # We enforce a max threshold to prevent a DOS attack via the offers # system. max_allowed, basket_threshold = self.max_allowed_quantity() if line is not None: ( line_purchase_permitted, reason, ) = line.purchase_info.availability.is_purchase_permitted(qty) if not line_purchase_permitted: return line_purchase_permitted, reason # Also check if it's permitted with potentional other lines of the same product & stocrecord total_lines_quantity = self.basket_quantity(line) + qty ( line_purchase_permitted, reason, ) = line.purchase_info.availability.is_purchase_permitted( total_lines_quantity ) if not line_purchase_permitted: return line_purchase_permitted, _( "Available stock is only %(max)d, which has been exceeded because " "multiple lines contain the same product." ) % {"max": line.purchase_info.availability.num_available} if max_allowed is not None and qty > max_allowed: return False, _( "Due to technical limitations we are not able " "to ship more than %(threshold)d items in one order." ) % {"threshold": basket_threshold} return True, None
[docs] def basket_quantity(self, line): """Return the quantity of similar lines in the basket. The basket can contain multiple lines with the same product and stockrecord, but different options. Those quantities are summed up. """ matching_lines = self.lines.filter(stockrecord=line.stockrecord) quantity = matching_lines.aggregate(Sum("quantity"))["quantity__sum"] return quantity or 0
# ============ # Manipulation # ============
[docs] def flush(self): """ Remove all lines from basket. """ if self.status == self.FROZEN: raise PermissionDenied("A frozen basket cannot be flushed") self.lines.all().delete() self._lines = None
# pylint: disable=unused-argument
[docs] def get_stock_info(self, product, options): """ Hook for implementing strategies that depend on product options """ # The built-in strategies don't use options, so initially disregard # them. return self.strategy.fetch_for_product(product)
[docs] def add_product(self, product, quantity=1, options=None): """ Add a product to the basket The 'options' list should contains dicts with keys 'option' and 'value' which link the relevant product.Option model and string value respectively. Returns (line, created). line: the matching basket line created: whether the line was created or updated """ if options is None: options = [] if not self.id: self.save() # Ensure that all lines are the same currency price_currency = self.currency stock_info = self.get_stock_info(product, options) if not stock_info.price.exists: raise ValueError("Strategy hasn't found a price for product %s" % product) if price_currency and stock_info.price.currency != price_currency: raise ValueError( ( "Basket lines must all have the same currency. Proposed " "line has currency %s, while basket has currency %s" ) % (stock_info.price.currency, price_currency) ) if stock_info.stockrecord is None: raise ValueError( ( "Basket lines must all have stock records. Strategy hasn't " "found any stock record for product %s" ) % product ) # Line reference is used to distinguish between variations of the same # product (eg T-shirts with different personalisations) line_ref = self._create_line_reference(product, stock_info.stockrecord, options) # Determine price to store (if one exists). It is only stored for # audit and sometimes caching. defaults = { "quantity": quantity, "price_excl_tax": stock_info.price.excl_tax, "price_currency": stock_info.price.currency, "tax_code": stock_info.price.tax_code, } if stock_info.price.is_tax_known: defaults["price_incl_tax"] = stock_info.price.incl_tax line, created = self.lines.get_or_create( line_reference=line_ref, product=product, stockrecord=stock_info.stockrecord, defaults=defaults, ) if created: for option_dict in options: line.attributes.create( option=option_dict["option"], value=option_dict["value"] ) else: line.quantity = max(0, line.quantity + quantity) line.save() self.reset_offer_applications() # Returning the line is useful when overriding this method. return line, created
add_product.alters_data = True add = add_product
[docs] def applied_offers(self): """ Return a dict of offers successfully applied to the basket. This is used to compare offers before and after a basket change to see if there is a difference. """ return self.offer_applications.offers
[docs] def reset_offer_applications(self): """ Remove any discounts so they get recalculated """ self.offer_applications = OfferApplications() self._lines = None
[docs] def merge_line(self, line, add_quantities=True): """ For transferring a line from another basket to this one. This is used with the "Saved" basket functionality. """ try: existing_line = self.lines.get(line_reference=line.line_reference) except ObjectDoesNotExist: # Line does not already exist - reassign its basket line.basket = self line.save() else: # Line already exists - assume the max quantity is correct and # delete the old if add_quantities: existing_line.quantity += line.quantity else: existing_line.quantity = max(existing_line.quantity, line.quantity) existing_line.save() line.delete() finally: self._lines = None
merge_line.alters_data = True
[docs] def merge(self, basket, add_quantities=True): """ Merges another basket with this one. :basket: The basket to merge into this one. :add_quantities: Whether to add line quantities when they are merged. """ # Use basket.lines.all instead of all_lines as this function is called # before a strategy has been assigned. for line_to_merge in basket.lines.all(): self.merge_line(line_to_merge, add_quantities) basket.status = self.MERGED basket.date_merged = now() basket._lines = None basket.save() # Ensure all vouchers are moved to the new basket for voucher in basket.vouchers.all(): basket.vouchers.remove(voucher) self.vouchers.add(voucher)
merge.alters_data = True
[docs] def freeze(self): """ Freezes the basket so it cannot be modified. """ self.status = self.FROZEN self.save()
freeze.alters_data = True
[docs] def thaw(self): """ Unfreezes a basket so it can be modified again """ self.status = self.OPEN self.save()
thaw.alters_data = True
[docs] def submit(self): """ Mark this basket as submitted """ self.status = self.SUBMITTED self.date_submitted = now() self.save()
submit.alters_data = True # Kept for backwards compatibility set_as_submitted = submit
[docs] def is_shipping_required(self): """ Test whether the basket contains physical products that require shipping. """ for line in self.all_lines(): if line.product.is_shipping_required: return True return False
# ======= # Helpers # ======= def _create_line_reference(self, product, stockrecord, options): """ Returns a reference string for a line based on the item and its options. """ base = "%s_%s" % (product.id, stockrecord.id) if not options: return base repr_options = [ {"option": repr(option["option"]), "value": repr(option["value"])} for option in options ] repr_options.sort(key=itemgetter("option")) return "%s_%s" % (base, zlib.crc32(repr(repr_options).encode("utf8"))) def _get_total(self, model_property): """ For executing a named method on each line of the basket and returning the total. """ total = D("0.00") for line in self.all_lines(): try: total += getattr(line, model_property) except ObjectDoesNotExist: # Handle situation where the product may have been deleted pass except TypeError: # Handle Unavailable products with no known price info = self.get_stock_info(line.product, line.attributes.all()) if info.availability.is_available_to_buy: raise return total # ========== # Properties # ========== @property def is_empty(self): """ Test if this basket is empty """ return self.id is None or self.num_lines == 0 @property def is_tax_known(self): """ Test if tax values are known for this basket. If the basket is empty, then tax values are unknown. """ return (not self.is_empty) and all( [line.is_tax_known for line in self.all_lines()] ) @property def total_excl_tax(self): """ Return total line price excluding tax """ return self._get_total("line_price_excl_tax_incl_discounts") @property def total_tax(self): """Return total tax for a line""" return self._get_total("line_tax") @property def total_incl_tax(self): """ Return total price inclusive of tax and discounts """ return self._get_total("line_price_incl_tax_incl_discounts") @property def total_incl_tax_excl_discounts(self): """ Return total price inclusive of tax but exclusive discounts """ return self._get_total("line_price_incl_tax") @property def total_discount(self): return self._get_total("discount_value") @property def offer_discounts(self): """ Return basket discounts from non-voucher sources. Does not include shipping discounts. """ return self.offer_applications.offer_discounts @property def voucher_discounts(self): """ Return discounts from vouchers """ return self.offer_applications.voucher_discounts @property def has_shipping_discounts(self): return len(self.shipping_discounts) > 0 @property def shipping_discounts(self): """ Return discounts from vouchers """ return self.offer_applications.shipping_discounts @property def post_order_actions(self): """ Return discounts from vouchers """ return self.offer_applications.post_order_actions @property def grouped_voucher_discounts(self): """ Return discounts from vouchers but grouped so that a voucher which links to multiple offers is aggregated into one object. """ return self.offer_applications.grouped_voucher_discounts @property def total_excl_tax_excl_discounts(self): """ Return total price excluding tax and discounts """ return self._get_total("line_price_excl_tax") @property def num_lines(self): """Return number of lines""" return self.all_lines().count() @property def num_items(self): """Return number of items""" return sum(line.quantity for line in self.all_lines()) @property def num_items_without_discount(self): num = 0 for line in self.all_lines(): num += line.quantity_without_discount return num @property def num_items_with_discount(self): num = 0 for line in self.all_lines(): num += line.quantity_with_discount return num @property def time_before_submit(self): if not self.date_submitted: return None return self.date_submitted - self.date_created @property def time_since_creation(self, test_datetime=None): if not test_datetime: test_datetime = now() return test_datetime - self.date_created @property def contains_a_voucher(self): if not self.id: return False return self.vouchers.exists() @property def is_submitted(self): return self.status == self.SUBMITTED @property def can_be_edited(self): """ Test if a basket can be edited """ return self.status in self.editable_statuses @property def currency(self): # Since all lines should have the same currency, return the currency of # the first one found. for line in self.all_lines(): return line.price_currency # ============= # Query methods # =============
[docs] def contains_voucher(self, code): """ Test whether the basket contains a voucher with a given code """ if self.id is None: return False try: self.vouchers.get(code=code) except ObjectDoesNotExist: return False else: return True
[docs] def product_quantity(self, product): """ Return the quantity of a product in the basket The basket can contain multiple lines with the same product, but different options and stockrecords. Those quantities are summed up. """ if self.id: matching_lines = self.lines.filter(product=product) quantity = matching_lines.aggregate(Sum("quantity"))["quantity__sum"] return quantity or 0 return 0
[docs] def line_quantity(self, product, stockrecord, options=None): """ Return the current quantity of a specific product and options """ ref = self._create_line_reference(product, stockrecord, options) try: return self.lines.get(line_reference=ref).quantity except ObjectDoesNotExist: return 0
[docs]class AbstractLine(models.Model): """A line of a basket (product and a quantity) Common approaches on ordering basket lines: a) First added at top. That's the history-like approach; new items are added to the bottom of the list. Changing quantities doesn't impact position. Oscar does this by default. It just sorts by Line.pk, which is guaranteed to increment after each creation. b) Last modified at top. That means items move to the top when you add another one, and new items are added to the top as well. Amazon mostly does this, but doesn't change the position when you update the quantity in the basket view. To get this behaviour, change Meta.ordering and optionally do something similar on wishlist lines. Order lines should already be created in the order of the basket lines, and are sorted by their primary key, so no changes should be necessary there. """ basket = models.ForeignKey( "basket.Basket", on_delete=models.CASCADE, related_name="lines", verbose_name=_("Basket"), ) # This is to determine which products belong to the same line # We can't just use product.id as you can have customised products # which should be treated as separate lines. Set as a # SlugField as it is included in the path for certain views. line_reference = SlugField(_("Line Reference"), max_length=128, db_index=True) product = models.ForeignKey( "catalogue.Product", on_delete=models.CASCADE, related_name="basket_lines", verbose_name=_("Product"), ) # We store the stockrecord that should be used to fulfil this line. stockrecord = models.ForeignKey( "partner.StockRecord", on_delete=models.CASCADE, related_name="basket_lines" ) quantity = models.PositiveIntegerField(_("Quantity"), default=1) # We store the unit price incl tax of the product when it is first added to # the basket. This allows us to tell if a product has changed price since # a person first added it to their basket. price_currency = models.CharField( _("Currency"), max_length=12, default=get_default_currency ) price_excl_tax = models.DecimalField( _("Price excl. Tax"), decimal_places=2, max_digits=12, null=True ) price_incl_tax = models.DecimalField( _("Price incl. Tax"), decimal_places=2, max_digits=12, null=True ) tax_code = models.CharField( _("VAT rate code"), max_length=64, blank=True, null=True ) # Track date of first addition date_created = models.DateTimeField( _("Date Created"), auto_now_add=True, db_index=True ) date_updated = models.DateTimeField(_("Date Updated"), auto_now=True, db_index=True) def __init__(self, *args, **kwargs): super().__init__(*args, **kwargs) self.discounts = LineDiscountRegistry(self) class Meta: abstract = True app_label = "basket" # Enforce sorting by order of creation. ordering = ["date_created", "pk"] unique_together = ("basket", "line_reference") verbose_name = _("Basket line") verbose_name_plural = _("Basket lines") @property @deprecated def consumer(self): return self.discounts def __str__(self): return _( "Basket #%(basket_id)d, Product #%(product_id)d, quantity %(quantity)d" ) % { "basket_id": self.basket.pk, "product_id": self.product.pk, "quantity": self.quantity, }
[docs] def save(self, *args, **kwargs): if not self.basket.can_be_edited: raise PermissionDenied( _("You cannot modify a %s basket") % (self.basket.status.lower(),) ) return super().save(*args, **kwargs)
# ============= # Offer methods # =============
[docs] def clear_discount(self): """ Remove any discounts from this line. """ self.discounts = LineDiscountRegistry(self)
[docs] def discount(self, discount_value, affected_quantity, incl_tax=True, offer=None): """ Apply a discount to this line """ if incl_tax: if self.discounts.excl_tax > 0: raise RuntimeError( "Attempting to discount the tax-inclusive price of a line " "when tax-exclusive discounts are already applied" ) else: if self.discounts.incl_tax > 0: raise RuntimeError( "Attempting to discount the tax-exclusive price of a line " "when tax-inclusive discounts are already applied" ) self.discounts.discount(discount_value, affected_quantity, incl_tax, offer)
[docs] def consume(self, quantity, offer=None): """ Mark all or part of the line as 'consumed' Consumed items are no longer available to be used in offers. """ return self.discounts.consume(quantity, offer=offer)
[docs] def get_price_breakdown(self): """ Return a breakdown of line prices after discounts have been applied. Returns a list of (unit_price_incl_tax, unit_price_excl_tax, quantity) tuples. """ if not self.is_tax_known: raise RuntimeError( "A price breakdown can only be determined when taxes are known" ) prices = [] if not self.discount_value: prices.append( (self.unit_price_incl_tax, self.unit_price_excl_tax, self.quantity) ) else: # Need to split the discount among the affected quantity # of products. item_incl_tax_discount = self.discount_value / int( self.discounts.num_consumed() ) item_excl_tax_discount = item_incl_tax_discount * self._tax_ratio item_excl_tax_discount = round_half_up(item_excl_tax_discount) prices.append( ( self.unit_price_incl_tax - item_incl_tax_discount, self.unit_price_excl_tax - item_excl_tax_discount, self.discounts.num_consumed(), ) ) if self.quantity_without_discount: prices.append( ( self.unit_price_incl_tax, self.unit_price_excl_tax, self.quantity_without_discount, ) ) return prices
# ======= # Helpers # ======= @property def _tax_ratio(self): # this function tries to computate the tax ratio based on the incl tax price # versus the excl tax price. Since these values are allready rounded, this will # NOT return the exact ratio corresponding to your tax rate. # if this is a problem you need to provide your own implementation of _tax_ratio # that returns the ratio based on the exact tax percentage in use. # one way to make this value correct is to use 4 decimals for all prices everywhere, # and round only at the last moment when presenting the values to the user. # that would make this value precise and correct because there would be no rounding if not self.unit_price_incl_tax: return 0 return self.unit_price_excl_tax / self.unit_price_incl_tax # =============== # Offer Discounts # =============== def has_offer_discount(self, offer): return self.discounts.num_consumed(offer) > 0 def quantity_with_offer_discount(self, offer): return self.discounts.num_consumed(offer) def quantity_without_offer_discount(self, offer): return self.discounts.available(offer) def is_available_for_offer_discount(self, offer): return self.discounts.available(offer) > 0 def quantity_available_for_offer(self, offer): return self.quantity_without_offer_discount( offer ) + self.quantity_with_offer_discount(offer) # ========== # Properties # ========== @property @deprecated def _discount_incl_tax(self): return self.discounts.incl_tax @_discount_incl_tax.setter def _discount_incl_tax(self, value): raise Exception("You can not set _discount_incl_tax") @property @deprecated def _discount_excl_tax(self): return self.discounts.excl_tax @_discount_excl_tax.setter def _discount_excl_tax(self, value): raise Exception("You can not set _discount_excl_tax") @property def has_discount(self): return bool(self.discounts.num_consumed()) @property def quantity_with_discount(self): return self.discounts.num_consumed() @property def quantity_without_discount(self): return self.discounts.available() @property def discount_value(self): return self.discounts.total # pylint: disable=W0201 @property def purchase_info(self): """ Return the stock/price info """ if not hasattr(self, "_info"): # Cache the PurchaseInfo instance. self._info = self.basket.strategy.fetch_for_line(self, self.stockrecord) return self._info @property def is_tax_known(self): return self.purchase_info.price.is_tax_known @property def unit_effective_price(self): """ The price to use for offer calculations """ return self.purchase_info.price.effective_price @property def unit_price_excl_tax(self): return self.purchase_info.price.excl_tax @property def unit_price_incl_tax(self): return self.purchase_info.price.incl_tax @property def unit_tax(self): return self.purchase_info.price.tax @property def line_price_excl_tax(self): if self.unit_price_excl_tax is not None: return self.quantity * self.unit_price_excl_tax @property def line_price_excl_tax_incl_discounts(self): if self.line_price_excl_tax is None: return None excl_tax_discounts = self.discounts.excl_tax if excl_tax_discounts: # these are discounts that return a value excluding tax, we can simply # subtract this value from line_price_excl_tax to get to line_price_excl_tax_incl_discounts return max(0, self.line_price_excl_tax - excl_tax_discounts) # This is a tricky situation. We know the discount as calculated # against tax inclusive prices but we need to guess how much of the # discount applies to tax-exclusive prices. We do this by # assuming a linear tax and scaling down the original discount. # Please refer to the _tax_ratio method for more details on how # to make this calculation more precise. incl_tax_discounts = self.discounts.incl_tax if incl_tax_discounts and self._tax_ratio: if self.line_price_excl_tax is not None: # if we got a precise line_price_excl_tax use that first, if _tax_ratio is off, # this will create the smallest deviation becaise incl_tax_discounts is usually # smaller than line_price_excl_tax return max( 0, self.line_price_excl_tax - round_half_up(self._tax_ratio * incl_tax_discounts), ) elif self.line_price_incl_tax is not None: # when all else fails, compute based on line_price_incl_tax return max( 0, self._tax_ratio * (self.line_price_incl_tax - incl_tax_discounts) ) # there are no discounts so just return the line_price_excl_tax return self.line_price_excl_tax @property def line_price_incl_tax_incl_discounts(self): excl_tax_discounts = self.discounts.excl_tax incl_tax_discounts = self.discounts.incl_tax # We use whichever discount value is set. If the discount value was # calculated against the tax-exclusive prices, then the line price # including tax if self.line_price_incl_tax is not None and incl_tax_discounts: return max(0, self.line_price_incl_tax - incl_tax_discounts) elif self.line_price_excl_tax is not None and excl_tax_discounts: return round_half_up( self.line_price_excl_tax_incl_discounts / self._tax_ratio ) return self.line_price_incl_tax @property def line_tax(self): if self.is_tax_known: return ( self.line_price_incl_tax_incl_discounts - self.line_price_excl_tax_incl_discounts ) @property def line_price_incl_tax(self): if self.unit_price_incl_tax is not None: return self.quantity * self.unit_price_incl_tax @property def description(self): d = smart_str(self.product) ops = [] for attribute in self.attributes.all(): value = attribute.value if isinstance(value, list): ops.append( "%s = '%s'" % (attribute.option.name, (", ".join([str(v) for v in value]))) ) else: ops.append("%s = '%s'" % (attribute.option.name, value)) if ops: d = "%s (%s)" % (d, ", ".join(ops)) return d
[docs] def get_warning(self): """ Return a warning message about this basket line if one is applicable This could be things like the price has changed """ if isinstance(self.purchase_info.availability, Unavailable): msg = "'%(product)s' is no longer available" return _(msg) % {"product": self.product.get_title()} if not self.price_incl_tax: return if not self.purchase_info.price.is_tax_known: return # Compare current price to price when added to basket current_price_incl_tax = self.purchase_info.price.incl_tax if current_price_incl_tax != self.price_incl_tax: product_prices = { "product": self.product.get_title(), "old_price": currency(self.price_incl_tax, self.price_currency), "new_price": currency(current_price_incl_tax, self.price_currency), } if current_price_incl_tax > self.price_incl_tax: warning = _( "The price of '%(product)s' has increased from" " %(old_price)s to %(new_price)s since you added" " it to your basket" ) return warning % product_prices else: warning = _( "The price of '%(product)s' has decreased from" " %(old_price)s to %(new_price)s since you added" " it to your basket" ) return warning % product_prices
[docs]class AbstractLineAttribute(models.Model): """ An attribute of a basket line """ line = models.ForeignKey( "basket.Line", on_delete=models.CASCADE, related_name="attributes", verbose_name=_("Line"), ) option = models.ForeignKey( "catalogue.Option", on_delete=models.CASCADE, verbose_name=_("Option") ) value = models.JSONField(_("Value"), encoder=DjangoJSONEncoder) class Meta: abstract = True app_label = "basket" verbose_name = _("Line attribute") verbose_name_plural = _("Line attributes")