如何使用模板(例如Jinja2)将列值列表呈现到表中

时间:2013-05-19 10:16:46

标签: python html templates jinja2

我正在尝试执行以下操作(不起作用,只是为了传达预期的行为而显示):

<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的维度?如果没有,那么做转置最多的Pythonic方式是什么?

2 个答案:

答案 0 :(得分:3)

为什么不使用嵌套列表呢?循环结构如:

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 %}

答案 1 :(得分:1)

我认为你有三个列表col1_values,col2_values和col3_values。在视图中,构建列表列表:

col_values = zip(col1_values, col2_values, col3_values)

将col_values传递给模板并执行以下操作:

<table>
  <tr>
    <th>Column 1</th>
    <th>Column 2</th>
    <th>Column 3</th>
  </tr>

  {% for col1, col2, col3 in col_values %}
    <tr>
      <td>{{ col1 }}</td>
      <td>{{ col2 }}</td>
      <td>{{ col3 }}</td>
    </tr>
  {% endfor %}
</table>

我认为这是解决问题的简单方法。希望它有所帮助。