假设我有一个模板

<html>
<div>Hello {{name}}!</div>
</html>

在测试它时,在不涉及调用该模板的python代码的情况下定义变量的值会很有用。所以我在找这样的东西

{% set name="World" %}     
<html>
<div>Hello {{name}}!</div>
</html>

Django中存在这样的东西吗?


当前回答

你可以使用with template标签。

{% with name="World" %}     
<html>
<div>Hello {{name}}!</div>
</html>
{% endwith %}

其他回答

你可以使用with template标签。

{% with name="World" %}     
<html>
<div>Hello {{name}}!</div>
</html>
{% endwith %}

有些把戏就像约翰描述的那样;然而,Django的模板语言在设计上不支持设置变量(参见Django文档中的模板“Philosophy”框)。 因此,更改任何变量的建议方法是通过触摸Python代码。

最好的解决方案是编写一个自定义的assignment_tag。这种解决方案比使用with标记更简洁,因为它在逻辑和样式之间实现了非常清晰的分离。

首先创建一个模板标记文件(例如。浏览器名称/ templatetags hello_world.py):

from django import template

register = template.Library()

@register.simple_tag
def get_addressee():
    return "World"

现在你可以在你的模板中使用get_addressee模板标签:

{% load hello_world %}

{% get_addressee as addressee %}

<html>
    <body>
        <h1>hello {{addressee}}</h1>
    </body>
</html>

另一种不需要将所有内容都放在“with”块中的方法是创建一个自定义标记,该标记将新变量添加到上下文。如:

class SetVarNode(template.Node):
    def __init__(self, new_val, var_name):
        self.new_val = new_val
        self.var_name = var_name
    def render(self, context):
        context[self.var_name] = self.new_val
        return ''

import re
@register.tag
def setvar(parser,token):
    # This version uses a regular expression to parse tag contents.
    try:
        # Splitting by None == splitting by spaces.
        tag_name, arg = token.contents.split(None, 1)
    except ValueError:
        raise template.TemplateSyntaxError, "%r tag requires arguments" % token.contents.split()[0]
    m = re.search(r'(.*?) as (\w+)', arg)
    if not m:
        raise template.TemplateSyntaxError, "%r tag had invalid arguments" % tag_name
    new_val, var_name = m.groups()
    if not (new_val[0] == new_val[-1] and new_val[0] in ('"', "'")):
        raise template.TemplateSyntaxError, "%r tag's argument should be in quotes" % tag_name
    return SetVarNode(new_val[1:-1], var_name)

这将允许你在你的模板中写这样的东西:

{% setvar "a string" as new_template_var %}

请注意,这里的大部分内容都是从这里截取的

创建一个模板标签:

应用程序应该包含一个templatetags目录,与models.py, views.py等处于同一级别。如果这个目录不存在,就创建它——不要忘记__init__.py文件,以确保该目录被视为Python包。

在templatetags目录中创建一个名为define_action.py的文件,代码如下:

from django import template
register = template.Library()

@register.simple_tag
def define(val=None):
  return val

注意:开发服务器不会自动重启。添加templatetags模块后,在使用模板中的标记或筛选器之前,需要重新启动服务器。


然后在你的模板中,你可以像这样给上下文赋值:

{% load define_action %}
{% if item %}

   {% define "Edit" as action %}

{% else %}

   {% define "Create" as action %}

{% endif %}


Would you like to {{action}} this item?