22

我的 models.py 中有以下内容

import datetime
from django.utils import timezone
from django.db import models

# Create your models here.
class Poll(models.Model):
    question = models.CharField(max_length=200)
    pub_date = models.DateTimeField('date published')

    def __unicode__(self):
        return self.question

    def was_published_recently(self):
        return self.pub_date >= timezone.now() - datetime.timedelta(days=1)

class Choice(models.Model):
    poll = models.ForeignKey(Poll)
    choice_text = models.CharField(max_length=200)
    votes = models.IntegerField(default=0)

    def __unicode__(self):
        return self.choice_text  

但是当我进入

from polls.models import Poll, Choice
Poll.objects.all()

我没有得到民意调查:怎么了?但轮询:轮询对象

有任何想法吗?

4

1 回答 1

39

Django 1.5 对 Python 3 具有实验性支持,但Django 1.5 教程是为 Python 2.X 编写的:

本教程是为 Django 1.5 和 Python 2.x 编写的。如果 Django 版本不匹配,您可以参考您的 Django 版本的教程或将 Django 更新到最新版本。如果您使用的是 Python 3.x,请注意您的代码可能需要与教程中的内容有所不同,并且只有在您知道自己在使用 Python 3.x 做什么的情况下才应该继续使用本教程。

在 Python 3 中,您应该定义一个__str__方法而不是__unicode__方法。有一个装饰器python_2_unicode_compatible可以帮助您编写适用于 Python 2 和 3 的代码。

from __future__ import unicode_literals
from django.utils.encoding import python_2_unicode_compatible

@python_2_unicode_compatible
class Poll(models.Model):
    question = models.CharField(max_length=200)
    pub_date = models.DateTimeField('date published')

    def __str__(self):
        return self.question

有关更多信息,请参阅移植到 Python 3文档中的str 和 unicode 方法部分。

于 2013-04-20T15:14:51.900 回答