我有一个数据库,其中包含字段id(number),name(string),address(string)。
我编写了一个java程序EmployeeDAO来执行查询。我将它存储在ResultSet对象rs
中。我需要将此结果集显示为JSP页面中的表。如何将此rs
发送到JSP页面?
public class EmployeeDAO
{
public _____ list() throws Exception
{
try
{
Class.forName("sun.jdbc.odbc.JdbcOdbcDriver").newInstance();
String url = "jdbc:odbc:employee_dsn";
Connection con = DriverManager.getConnection(url);
Statement stmt = con.createStatement();
ResultSet rs = stmt.executeQuery("Select * from emp_table");
}
catch (Exception e)
{
System.out.println(e);
}
}
}
答案 0 :(得分:4)
首先创建Java模型类Employee,其字段与emp_table中的列相同。例如:
public class Employee {
private String name;
private String lastName;
public void setName(String name) {
this.name = name;
}
public String getName() {
return this.name;
}
public String getLastName() {
return this.lastName;
}
public void setLastName(String lastName) {
this.lastName = lastName;
}
}
然后在你的方法中_list()迭代结果集,如下所示:
public List<Employee> _ list() throws Exception {
Connection con = null;
ResultSet rs = null;
List<Employee> result = new ArrayList<Employee>();
try
{
Class.forName("sun.jdbc.odbc.JdbcOdbcDriver").newInstance();
String url = "jdbc:odbc:employee_dsn";
con = DriverManager.getConnection(url);
Statement stmt = con.createStatement();
rs = stmt.executeQuery("Select * from emp_table");
while (rs.next()) {
Employee emp = new Employee();
emp.setName(rs.getString("emp_name"));
emp.setLastName(rs.getString("emp_last_name"));
result.add(emp);
}
}
catch (Exception e)
{
System.out.println(e);
} finally {
if (null != rs) {
try { rs.close()} catch(Exception ex) {};
}
if (null != con) {
try { con.close()} catch(Exception ex) {};
}
}
return result;
}
在您的JSP中,您可以像这样迭代集合:
<table>
<c:forEach var="emp" items="${empDao._list}">
<tr>
<td>${emp.name}</td>
<td>${emp.lastName}</td>
</tr>
</c:forEach>
</table>
答案 1 :(得分:0)
优雅的解决方案是将结果集映射到对象列表。看看spring RowMapper,了解如何处理这个问题。
在你的jsp中,你可以使用<c:forEach/>
循环来写出这个列表。