link がDjangoテンプレートに 'switch'タグを持っているのを見つけましたが、これがなくてもどうにかして達成できるのだろうかと思っていました。 Djangoで?基本的に、複数の「if」または「ifequal」ステートメントを使用する他の方法はありますか?
ヒント/提案を事前に感謝します。
残念ながら、これはデフォルトのDjangoテンプレートエンジンでは不可能です。スイッチをエミュレートするには、このような醜いものを書く必要があります。
{% if a %}
{{ a }}
{% else %}
{% if b %}
{{ b }}
{% else %}
{% if c %}
{{ c }}
{% else %}
{{ default }}
{% endif %}
{% endif %}
{% endif %}
または、条件が真であり、デフォルトが必要ない場合は1つだけです。
{% if a %}
{{ a }}
{% endif %}
{% if b %}
{{ b }}
{% endif %}
{% if c %}
{{ c }}
{% endif %}
通常、テンプレートエンジンが目的を達成するのに十分強力でない場合、これはコードをテンプレートではなくDjangoビューに移動する必要があることを示しています。例:
# Django view
if a:
val = a
Elif b:
val = b
Elif c:
val = c
else:
val = default
# Template
{{ val }}
Django 1.4の時点で、{% Elif %}
があります:
{% if a %}
thing
{% Elif b %}
other thing
{% Elif c %}
another thing
{% endif %}
以前の回答者へ:ユースケースを理解せずに、あなたは仮定を立て、質問者を批判しました。 @Berは「あちこちで」と言っていますが、これは質問者が暗示しているわけではありません。公正でない。
Djangoテンプレートの1か所で{% switch %}
ステートメントを実行したい場合があります。switchステートメントに相当するものをに移動するのは便利ではないだけではありません。 Pythonコードですが、実際にはビューとテンプレートの両方が読みにくくなり、1つの場所に属する単純な条件付きロジックを取得して、2つの場所に分割します。
{% switch %}
(または{% if %}
)が役立つと想像できる多くの場合、それを使用しない場合は、ビューにHTMLを配置する必要があります。それははるかに悪い罪であり、そもそも{% if %}
が存在する理由です。 {% switch %}
も例外ではありません。
幸い、Djangoは拡張可能であり、複数の人がスイッチを実装しています。チェックしてください:
from Django import template
from Django.template import Library, Node, VariableDoesNotExist
register = Library()
@register.tag(name="switch")
def do_switch(parser, token):
"""
The ``{% switch %}`` tag compares a variable against one or more values in
``{% case %}`` tags, and outputs the contents of the matching block. An
optional ``{% else %}`` tag sets off the default output if no matches
could be found::
{% switch result_count %}
{% case 0 %}
There are no search results.
{% case 1 %}
There is one search result.
{% else %}
Jackpot! Your search found {{ result_count }} results.
{% endswitch %}
Each ``{% case %}`` tag can take multiple values to compare the variable
against::
{% switch username %}
{% case "Jim" "Bob" "Joe" %}
Me old mate {{ username }}! How ya doin?
{% else %}
Hello {{ username }}
{% endswitch %}
"""
bits = token.contents.split()
tag_name = bits[0]
if len(bits) != 2:
raise template.TemplateSyntaxError("'%s' tag requires one argument" % tag_name)
variable = parser.compile_filter(bits[1])
class BlockTagList(object):
# This is a bit of a hack, as it embeds knowledge of the behaviour
# of Parser.parse() relating to the "parse_until" argument.
def __init__(self, *names):
self.names = set(names)
def __contains__(self, token_contents):
name = token_contents.split()[0]
return name in self.names
# Skip over everything before the first {% case %} tag
parser.parse(BlockTagList('case', 'endswitch'))
cases = []
token = parser.next_token()
got_case = False
got_else = False
while token.contents != 'endswitch':
nodelist = parser.parse(BlockTagList('case', 'else', 'endswitch'))
if got_else:
raise template.TemplateSyntaxError("'else' must be last tag in '%s'." % tag_name)
contents = token.contents.split()
token_name, token_args = contents[0], contents[1:]
if token_name == 'case':
tests = map(parser.compile_filter, token_args)
case = (tests, nodelist)
got_case = True
else:
# The {% else %} tag
case = (None, nodelist)
got_else = True
cases.append(case)
token = parser.next_token()
if not got_case:
raise template.TemplateSyntaxError("'%s' must have at least one 'case'." % tag_name)
return SwitchNode(variable, cases)
class SwitchNode(Node):
def __init__(self, variable, cases):
self.variable = variable
self.cases = cases
def __repr__(self):
return "<Switch node>"
def __iter__(self):
for tests, nodelist in self.cases:
for node in nodelist:
yield node
def get_nodes_by_type(self, nodetype):
nodes = []
if isinstance(self, nodetype):
nodes.append(self)
for tests, nodelist in self.cases:
nodes.extend(nodelist.get_nodes_by_type(nodetype))
return nodes
def render(self, context):
try:
value_missing = False
value = self.variable.resolve(context, True)
except VariableDoesNotExist:
no_value = True
value_missing = None
for tests, nodelist in self.cases:
if tests is None:
return nodelist.render(context)
Elif not value_missing:
for test in tests:
test_value = test.resolve(context, True)
if value == test_value:
return nodelist.render(context)
else:
return ""
非常に一般的な見方では、switchステートメントの必要性は、さまざまな「ケース」をキャプチャする新しいクラスとオブジェクトを作成する必要があることを示しています。
次に、あちこちで「swtich」する代わりに、オブジェクトメソッドを呼び出すか、オブジェクト属性を参照するだけで完了です。