how to run this code in django template

Question:

this is my code :

{% for i,j in enumerate(a) %}
    {{i}} ,{{j}}
{% endfor%}

but , it show a error , i think it cant run the enumerate method ,

so how to run the enumerate in django template ,

thanks

Asked By: zjm1126

||

Answers:

{% for item in a %}
    {{ forloop.counter }}, {{ item }}
{% endfor %}

Link related

Answered By: razpeitia

you can use {{ forloop.counter }} or {{ forloop.counter0 }} for the same effect, the latter is 0-indexed, thus more like enumerate.

Answered By: Uku Loskit

The template subsystem has some special constructs built into the for/endfor block that allows you to access the current index of the loop without having to call enumerate.

{% for j in a %}
    {{ forloop.counter0 }}, {{ j }}
{% endfor %}

While this snippet solves your immediate problem, if you’re expecting to have access to Python builtins and other Python constructs inside your Django templates, you may be misunderstanding the sandbox that it provides/enforces.

Answered By: Joe Holloway

If however you need to use a function within a template, i suggest you create a filter or a tag instead. For reference, check out http://docs.djangoproject.com/en/1.2/howto/custom-template-tags/

Answered By: gladysbixly

Django template makes up the presentation layer and are not meant for logic. From the docs

If you have a background in programming, or if you’re used to languages which mix programming code directly into HTML, you’ll want to bear in mind that the Django template system is not simply Python embedded into HTML. This is by design: the template system is meant to express presentation, not program logic.

Now to get the same functionality in Django, you will have to complete your logic in the views.

views.py

def my_view(request, ...):
    ....
    enumerated_a = enumerate(a);
    ....
    return render_to_response('my_template.html', {'enumerated_a ': enumerated_a }..)

Now enumerate function returns an enumerate object which is iterable.
my_template.html

{% for index, item in enumerated_a %}
    {{ index }},{{ item }}
{% endfor %}

Although I think you can probably change it to an enumerated list and use it like that as well.

Answered By: vabhdman
Categories: questions Tags: , ,
Answers are sorted by their score. The answer accepted by the question owner as the best is marked with
at the top-right corner.