Django模板中的字典表
我有一个字典:
field =
{
u'Birthday:': [datetime.date(2012, 4, 6), datetime.date(2012, 4, 27)],
u'Education': [u'A1', u'A2'],
u'Job:': [u'job1', u'job2'],
u'Child Sex:': [u'M', u'F']
}
我的模板代码是:
<table width="100%" border="0">
<tr>
{% for k, v in field.items %}
<th>{{ k }}</th>
{% endfor %}
</tr>
<tr>
{% for k,v in field.items %}
<td>
<table width="100%" border="0">
{% for a in v %}
<tr class="{% cycle 'odd' 'even' %}"><td>{{ a }}</td></tr>
{% endfor %}
</table>
</td>
{% endfor %}
</tr>
</table>
我想将字典键显示为表头,并将esach值显示为行:
I want to show dictionary keys as table headers and esach value as row:
Birthday Education Job Child Sex
datetime.date(2012, 4, 6) A1 job1 M
datetime.date(2012, 4, 27) A2 job2 F
但是我必须插入第二个表。有没有办法把字典键作为表头,并将esach值作为行?
But I have to insert a second table. Is there any way toshow dictionary keys as table headers and esach value as rows?
提前感谢
如果您将数据作为表中的字典提供,您可以使模板代码更容易阅读。它会更像这样:
You can make the template code a lot easier to read if you provide the data as a table in your dictionary. It would look more like this:
field = {
'headers': [u'Birthday:', u'Education', u'Job', u'Child Sex'],
'rows': [[datetime.date(2012, 4, 6), u'A1', u'job1', u'M']
,[datetime.date(2012, 4, 27), u'A2', u'job2', u'F']]
}
您现在可以按如下方式遍历标题:
You can now iterate over the headers as follows:
<tr>
{% for header in field.headers %}
<th>{{ header }}</th>
{% endfor %}
</tr>
每行可以使用以下方式显示:
And each row can be displayed using:
<tr>
{% for value in field.rows %}
<td>{{ value }}</td>
{% endfor %}
</tr>
现在,您可以获取'头文件
值使用 field.keys()
:
Now, you can obtain the 'headers'
value using field.keys()
:
[u'Birthday:', u'Education', u'Job:', u'Child Sex:']
您可以使用以下循环获取'值'
(其中 2
是行数):
You can get the 'values'
using the following loop (where 2
is the number of rows):
rows = []
for i in xrange(2):
row = []
for k in field.keys():
row.append(field[k][i])
rows.append(row)
或作为单行:
rows = [[field[k][i] for k in field.keys()] for i in xrange(2)]