我正在尝试执行以下操作(无效,仅显示为传达预期的行为):
<table>
<tr>
<th>Column 1</th>
<th>Column 2</th>
<th>Column 3</th>
</tr>
{% for col1_val in col1_values %}
<tr>
<td>{{ col1_val }}</td>
<td>{{ col2_values[col1_values.index(col1_val)] }}</td>
<td>{{ col3_values[col1_values.index(col1_val)] }}</td>
</tr>
{% endfor %}
</table>
所需的表是:
Column 1 Column 2 Column 3
col1_values[0] col2_values[0] col3_values[0]
col1_values[1] col2_values[1] col3_values[1]
.
.
.
其中col1_values彼此唯一.
如何重写Jinja2模板以获得所需的表输出?是否可以不必转置col1_values,col2_values和col3_values的尺寸?如果没有,那么最Python化的转置方式是什么?
解决方法:
为什么不使用嵌套列表呢?循环遍历以下结构:
table_values = [[col1_value_0, col2_value_0, col3_value_0], [col1_value_1, col2_value_1, col3_value_1], ...]
如果需要,zip() function可以合并3个colX_values列表:
table_rows = zip(col1_values, col2_values, col3_values)
现在,您可以按行列出列表:
{% for col1_val, col2_val, col3_val in table_rows %}
<tr>
<td>{{ col1_val }}</td>
<td>{{ col2_val }}</td>
<td>{{ col3_val }}</td>
</tr>
{% endfor %}