Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Access tuple in django template

 t=[]  t.append(("a",1))  t.append(("b",2))  t.append(("c",3))  return render_to_response(t.html,  context_instance=RequestContext(request, {'t':t})) 

How can I access a value of t in Django templates without using a for loop? I have tried the following and it doesn't seem to work:

    alert('{{t[a]}}');     alert('{{t[c]}}'); 
like image 418
Rajeev Avatar asked Mar 07 '11 11:03

Rajeev


2 Answers

Assuming your view code is:

t=[] t.extend([('a',1),('b',2),('c',3)]) 

(and not as stated in the OP)

{{ t.0.0 }} is like t[0][0] in Python code. This should give you "a", because t.0 is the first element of the list t, which itself is a tuple, and then another .0 is the tuple's first element.

{{ t.0.1 }} will be 1, and so on.

But in your question you are creating a tuple and trying to access it as if it is a dict.

That's the problem.

like image 96
Ofri Raviv Avatar answered Sep 23 '22 02:09

Ofri Raviv


You can convert your tuple to dict via dict() function:

mydict = dict(t) 

And then in template you can access items by key like here:

{{ mydict|get_item:item.NAME }} 
like image 36
Alexey Doroshenko Avatar answered Sep 22 '22 02:09

Alexey Doroshenko