1

我正在使用 JSTL 从 bean 类中获取值。从 bean 类获得的值将是java.util.Map。通过以下代码成功获取值:

<c:forEach items="${bean.map}" var="item">  
  <c:out value="${item.key}"/> = <c:out value="${item.value}"/><br/>  
</c:forEach> 

获得键值对后,我需要创建一个 4 行 7 列的表。地图 :

map.put(2, true);
map.put(18, true);

地图中的键将是 1-28,值将是 TRUE 或 FALSE 。

如果键为 2 且值为 TRUE ,则​​需要在表的 (1,2) 中打勾,即:第 1 行第 2 列。

同样,如果key是18,需要在表的(3,4)处打勾。

         <table border="1" width="100%">
         <tr>
         <th>1</th>
         <th>2</th>
         <th>3</th>
         <th>4</th>
         <th>5</th>
         <th>6</th>
         <th>7</th>
        </tr>
        <c:forEach items="${bean.map}" var="item" >
        <tr>
       <td><c:out value="${item.value}"/></td>
        </tr>
        </c:forEach>
        </table>

我不知道如何进一步进行,因为我仅限于使用 JSTL 并且是 JSTL 的新手。不允许使用 javascript 或 jquery,这让生活变得轻松。

请给我一些建议以进一步进行。任何帮助都将是可观的。

4

1 回答 1

0

使用 Java 代码在控制器中将条目拆分为行,而不是希望在视图中使用 JSTL。这是可能的,但在 Java 中做这一切都会变得更容易。

并且使用映射来包含从 1 到 28 的键有点奇怪。为什么不只使用 28 个布尔值的列表?

/**
 * Returns a list of 4 lists of booleans (assuming the map contains 28 entries going 
 * from 1 to 28). Each of the 4 lists contaisn 7 booleans.
 */
public List<List<Boolean>> partition(Map<Integer, Boolean> map) {
    List<List<Boolean>> result = new ArrayList<List<Boolean>>(4);
    List<Boolean> currentList = null;
    for (int i = 1; i <= 28; i++) {
        if ((i - 1) % 7 == 0) {
            currentList = new ArrayList<Boolean>(7);
            result.add(currentList);
        }
        currentList.add(map.get(i));
    }
    return result;
}

在您的 JSP 中:

<table border="1" width="100%">
    <tr>
         <th>1</th>
         <th>2</th>
         <th>3</th>
         <th>4</th>
         <th>5</th>
         <th>6</th>
         <th>7</th>
    </tr>
    <c:forEach items="${rows}" var="row">
        <tr>
            <c:forEach items="row" var="value">            
                <td><c:out value="${value}"/></td>
            </c:forEach>
        </tr>
    </c:forEach>
</table>
于 2013-01-23T14:30:58.570 回答