如何在JSP中循环访问哈希图?
如何在 JSP 中循环访问?HashMap
<%
HashMap<String, String> countries = MainUtils.getCountries(l);
%>
<select name="country">
<%
// Here I need to loop through countries.
%>
</select>
如何在 JSP 中循环访问?HashMap
<%
HashMap<String, String> countries = MainUtils.getCountries(l);
%>
<select name="country">
<%
// Here I need to loop through countries.
%>
</select>
就像在普通的Java代码中所做的那样。
for (Map.Entry<String, String> entry : countries.entrySet()) {
String key = entry.getKey();
String value = entry.getValue();
// ...
}
但是,scriptlet(JSP文件中的原始Java代码,这些东西)被认为是一种糟糕的做法。我建议安装JSTL(只需将JAR文件放入并在JSP顶部声明所需的taglibs)。它有一个<c:forEach>
标签,可以在其他标签中迭代。每次迭代都会给你一个Map.Entry
,它又有和方法。<% %>
/WEB-INF/lib
Map
getKey()
getValue()
下面是一个基本示例:
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
<c:forEach items="${map}" var="entry">
Key = ${entry.key}, value = ${entry.value}<br>
</c:forEach>
因此,您的特定问题可以按如下方式解决:
<%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core" %>
<select name="country">
<c:forEach items="${countries}" var="country">
<option value="${country.key}">${country.value}</option>
</c:forEach>
</select>
您需要 将 或 a 放在所需的范围内。如果此列表应该是基于请求的,则使用 的 :Servlet
ServletContextListener
${countries}
Servlet
doGet()
protected void doGet(HttpServletRequest request, HttpServletResponse response) {
Map<String, String> countries = MainUtils.getCountries();
request.setAttribute("countries", countries);
request.getRequestDispatcher("/WEB-INF/page.jsp").forward(request, response);
}
或者,如果此列表应该是应用程序范围的常量,则使用 's,以便它只加载一次并保存在内存中:ServletContextListener
contextInitialized()
public void contextInitialized(ServletContextEvent event) {
Map<String, String> countries = MainUtils.getCountries();
event.getServletContext().setAttribute("countries", countries);
}
在这两种情况下,EL 中的 都将由 提供。countries
${countries}
希望这有帮助。
根据您希望在循环中完成的任务,改为循环访问以下选项之一:
countries.keySet()
countries.entrySet()
countries.values()