0

我有一种情况,对两种解决方案中的任何一种都感到满意,这取决于哪个更可行/可能。我有一个显示事件的页面。该事件的名称可能不一定正确,因此用户可以选择建议更正。这些更正存储在它们自己的表中,并与事件具有外键关系。提出建议后,用户可以对该建议投赞成票或反对票。我需要将每个登录用户的最大投票限制为 1。我不知道如何做到这一点。

我的理想解决方案:显示多达五个建议。每个登录用户都可以对这五个建议中的每一个进行投票。每人一次。

我不太理想但仍然可以接受的解决方案:显示了多达五个建议。登录用户只能对五个建议中的一个投票赞成或反对。

我不确定哪个更实用。我将为活动提供我的模型和建议的名称。如果您还需要查看其他内容,请告诉我。提前致谢!

class Event(models.Model):
    def __unicode__(self):
        return unicode(self.id)
    id = models.BigIntegerField(blank = 'TRUE', primary_key='TRUE')
    version = models.IntegerField(default = 0)
    views = models.IntegerField(default = 0)
    created = models.DateTimeField(editable = False)
    modified = models.DateTimeField()
    trained = models.BooleanField(default = False)
    type = models.SmallIntegerField(default = 0)
    def save(self, *args, **kwargs):
        if not self.id:
            self.created = datetime.datetime.today()
        self.modified = datetime.datetime.today()
        super(Event, self).save(*args, **kwargs)


class suggestedName(models.Model):
    def __unicode__(self):
        return unicode(self.name)
    name = models.CharField(max_length=200, blank = 'TRUE', null = 'TRUE')
    votes = models.IntegerField(default = 0)
    event = models.ForeignKey(Event)
4

1 回答 1

2
class Vote(models.Model):

    class Meta:
        unique_together = (('userprofile','suggestedName'),)

    userprofile = models.ForeignKey(UserProfile)
    suggestedName = models.ForeignKey(suggestedName)
    event = models.ForeignKey(Event)

正如一些评论所建议的那样,您应该有一个模型User(在我的示例中,我只是假设您已经拥有)。

你可以用这个模型做什么?正是你需要做的!

假设您有一个允许用户投票的视图。您想要覆盖它的post()(或is_valid(),它取决于)方法来检查用户是否可以投票:

def post(self, request, *args, **kwargs):
    # - retrieve the user_profile
    # - retrieve the suggestedName he voted for
    # - query the votes to see if this combination of user_profile + suggestedName already exists

    vote, created = Vote.objects.get_or_create(
                        userprofile=userprofile, 
                        suggestedName=suggestedName, 
                        event=event
                    )

    # get_or_create will return a tuple
    # where created is True if the method created the Vote
    # False if there was a vote for this user and this name already
    # You now want to use the value from 'created' 
    # to decide wether the vote is valid or not

    if not created:
       return HttpResponse('You already voted for this, cheater')
    else:
       return HttpResponse('Awesome, thanks for voting!')

此外,如果您只想允许每个用户投 1 票,请仅传递给get_or_created您检索到的用户值。

希望这些指南对您有所帮助:)

于 2013-07-25T17:40:58.077 回答