创建一个la eBay最高出价样式的拍卖模型

时间:2014-12-22 22:41:03

标签: python django django-models

我正在尝试使用一些拍卖行风格模型的概念,现在我有一个Auction模型和一个Bid模型。这两者通过Bid模型中的ForeignKey关联,其中Bid.amount包含用户出价的金额。

我已经利用Bid.amount字段上的排序来定义最高出价,但我想知道是否有一种简单的方法可以定义max_bid并且输出给用户看起来像一个“聪明的投标”系统,一个la eBay。

如果适用以下情况,请说明

$ bid1 = 9000  # max bid for bid1 object
$ bid2 = 6000  # max bid for bid2 object
$ bid3 = 9500  # max bid for bid3 object
$ starting_price = 5000  # starting price for the auction

当bid1被放置时(表示智能出价最高可达9000),当前拍卖价格应保持在5000,因为该项目没有其他出价。

当放置bid2时,当前拍卖价格应该增加到6001(因为bid1仍然更高)

当出价bid3时,当前拍卖价格应该增加到9001(出价1,并成为当前最高出价者)。

如果有人对解决这个问题有最好的解决方法,我很乐意听到。

编辑:我的模型,供参考

class Auction(models.Model):
    seller = models.ForeignKey(User)
    item_id = models.CharField(max_length=255, blank=True, null=True)
    item_name = models.CharField(max_length=255, blank=True, null=True)
    winner = models.ForeignKey(User, related_name='Auction_Winner', blank=True, null=True)
    reserve = models.CharField(max_length=255, blank=True, null=True)
    is_guildbank_sale = models.BooleanField(default=True)
    created = models.DateTimeField(editable=False, null=True)
    expires = models.DateTimeField(editable=False, null=True)

def __unicode__(self):
    return '%s selling %s' % (self.seller, self.item_name)

    def save(self, *args, **kwargs):
        ''' On save, update timestamps '''
        if not self.id:
            self.created = datetime.today()
        self.expires = datetime.today() + timedelta(days=3)
        return super(Auction, self).save(*args, **kwargs)


class Bid(models.Model):
    auction = models.ForeignKey(Auction, null=True)
    user = models.ForeignKey(User, related_name='bid_owner', null=True)
    bid_amount = models.IntegerField(blank=True, null=True)

    class Meta:
        verbose_name = "Auction Bid"
        verbose_name_plural = "Auction Bids"
        ordering = ['-bid_amount',]
        get_latest_by = 'bid_amount'

1 个答案:

答案 0 :(得分:1)

我会为您的Auction模型创建一个函数,并使用@property装饰器使其成为实例属性。我不会将其存储为数据库值,因为您将遇到竞争条件问题。

class Auction(models.Model):
    ...
    def _get_increment(self):
        """ add some logic to base incrementing amount on starting price """
        ...

    @property
    def current_auction_price(self):
        price = self.starting_amount
        bid_increment = self._get_increment()

        """ If there is more than 1 bid present, take the second highest value and add the bid increment. """
        if self.bid_set.count() > 1:
            price = self.bid_set.order_by('bid_amount')[-2].bid_amount + bid_increment

        return price

这将允许您直接在模板中使用该值。

{{ object.current_auction_price }}