如何在Thymeleaf ..中创建动态表?

时间:2019-06-13 11:55:25

标签: spring-boot model-view-controller thymeleaf

我不熟悉Thymeleaf,并试图在Themeleaf模板上创建动态表。

我该怎么办.. ??

我一直在搜寻,但没有得到适当的答案。问题是我无法迭代List >。我可以有任意数量的列,列名称可以是任何东西。

<tr class="headings">
 <th class="column-title">ID</th>
 <th class="column-title">Name</th>
 <th class="column-title">Salary</th>
 <th class="column-title">Status</th>  
 </tr>
</thead>
<tbody>
 <tr class="even pointer" th:each="row:${rows}" id = "tablerow">
 <td class=" " th:text="${row.getId()}">Id</td>
 <td class=" " th:text="${row.getName()}">Name</td>
 <td class=" " th:utext="${row.getSalary()}">Salary</td>
 <td class=" " th:text="${row.getStatus()}">Active</td>
 </tr>
</tbody>

我需要动态设置值,因为结果查询会不断变化。现在,列名已经过硬编码,并且值也通过 row.getId 得到了。如果没有ID,那行中应该有什么用呢?示例行。 行获得为List >。

谢谢。

1 个答案:

答案 0 :(得分:0)

您可以像Map一样轻松地遍历List。最简单的形式是:

<tbody>
    <tr class="even pointer" th:each="row: ${rows}" id="tablerow">
        <td th:each="field: ${row}" th:text="${field.value}" />
    </tr>
</tbody>

但是,由于Maps没有特定的顺序(除非您使用的是TreeMap之类的东西),所以我这样做的方式将是这样的(完整示例应匹配您的示例表):

控制器

List<String> headers = Arrays.asList("ID", "Name", "Salary", "Status");
List<Map<String, Object>> rows = new ArrayList<>();
rows.add(Map.of("ID", "1", "Name", "Jim", "Salary", "50000", "Status", "active"));
rows.add(Map.of("ID", "2", "Name", "Sally", "Salary", "50000", "Status", "inactive"));

模板

<table>
    <thead>
        <tr class="headings">
            <th th:each="header: ${headers}" class="column-title" th:text="${header}" />
        </tr>
    </thead>

    <tbody>
        <tr class="even pointer" th:each="row: ${rows}" id="tablerow">
            <td th:each="header: ${headers}" th:text="${row.get(header)}" />
        </tr>
    </tbody>
</table>

哪个会产生:

<table>
    <thead>
        <tr class="headings">
            <th class="column-title" >ID</th>
            <th class="column-title" >Name</th>
            <th class="column-title" >Salary</th>
            <th class="column-title" >Status</th>
        </tr>
    </thead>

    <tbody>
        <tr class="even pointer" id="tablerow">
            <td >1</td>
            <td >Jim</td>
            <td >50000</td>
            <td >active</td>
        </tr>
        <tr class="even pointer" id="tablerow">
            <td >2</td>
            <td >Sally</td>
            <td >50000</td>
            <td >inactive</td>
        </tr>
    </tbody>
</table>