Use variable as dictionary key in Django template

后端 未结 4 1574
野的像风
野的像风 2020-11-27 04:23

I\'d like to use a variable as an key in a dictionary in a Django template. I can\'t for the life of me figure out how to do it. If I have a product with a name or ID field,

相关标签:
4条回答
  • 2020-11-27 04:27

    There is a very dirty solution:

    <div>We need d[{{ k }}]</div>
    
    <div>So here it is:
    {% for key, value in d.items %}
        {% if k == key %}
            {{ value }}
        {% endif %}
    {% endfor %}
    </div>
    
    0 讨论(0)
  • 2020-11-27 04:36

    Create a template tag like this (in yourproject/templatetags):

    @register.filter
    def keyvalue(dict, key):    
        return dict[key]
    

    Usage:

    {{dictionary|keyvalue:key_variable}}
    
    0 讨论(0)
  • 2020-11-27 04:37

    Building on eviltnan's answer, his filter will raise an exception if key isn't a key of dict.

    Filters should never raise exceptions, but should fail gracefully. This is a more robust/complete answer:

    @register.filter
    def keyvalue(dict, key):    
        try:
            return dict[key]
        except KeyError:
            return ''
    

    Basically, this would do the same as dict.get(key, '') in Python code, and could also be written that way if you don't want to include the try/except block, although it is more explicit.

    0 讨论(0)
  • 2020-11-27 04:49

    You need to prepare your data beforehand, in this case you should pass list of two-tuples to your template:

    {% for product, rating in product_list %}
        <h1>{{ product.name }}</h1><p>{{ rating }}</p>
    {% endfor %}
    
    0 讨论(0)
提交回复
热议问题