模型名称正在Django模板中显示

时间:2014-03-10 05:04:52

标签: python django

我是Django的新手,所以我只是构建一些简单的应用程序来增加我的知识。我正在尝试显示连接列表,但是当我显示列表时,它会显示模型名称,如下所示:

[<FamousQuote: Be yourself; everyone else is already taken>][<InfamousQuote: . I dunno. Either way. >]

这是我的views.py文件:

def index(request):
    famous_quote = FamousQuote.objects.all().order_by('?')[:1]
    infamous_quote = InfamousQuote.objects.all().order_by('?')[:1]

    compiled = [famous_quote, infamous_quote]

    return render(request, 'funnyquotes/index.html', {'compiled': compiled})

和我的index.html文件:

{% if compiled %}
    {{ compiled|join:"" }}
{% else %}
    <p>No quotes for you.</p>
{% endif %}

有什么我做错了,或者我能做得更好吗?

1 个答案:

答案 0 :(得分:1)

您有一个列表列表,因此列表的unicode表示包含<ObjectName:string>,如果您有一个模型对象列表,您将获得对象的正确__unicode__表示

最终,模板会自动尝试将python对象转换为字符串表示形式,在QuerySet[<object: instance.__unicode__()>]的情况下。

您已经清楚地为对象实例定义了您的所需的字符串表示形式 - 您只需要确保模板引擎接收这些实例 - 而不是其他类。

查看shell中输出的差异。

print(FamousQuote.objects.all().order_by('?')[:1])   # calls str(QuerySet)
# vs
print(FamousQuote.objects.order_by('?')[0]) # calls str(FamousQuote)

更新视图

compiled = [famous_quote[0], infamous_quote[0]]

或您的模板

{% for quotes in compiled %}{{ quotes|join:"" }}{% endfor %}

TL; DR

您有列表列表,因此您要加入列表的字符串表示,而不是实例。