1

我在我的 Web 应用程序中使用 mvc struts 框架。我正在使用 scrilets 在 jsp 页面中显示我的数据库中的动态值,<% %> 这样做是不好的做法,但我遵循了如何在没有 scriptlets 的情况下进行操作的链接,但不能理解太多..我正在使用 struts,我有动作和 bean 类这是我的jsp页面

<%@page import="java.sql.ResultSet"%>
<%@page import="com.pra.sql.SQLC"%>
<%@page import="java.util.ArrayList"%>
<%@page contentType="text/html" pageEncoding="UTF-8"%>
<table align="left" width="346" border="0">
    <tr><td align="center" colspan="2" style="font-size:20px;">Tests We Provide</td></tr>
    <tr>
        <th width="194" height="52" align="left" nowrap>Test Name</th>
        <th width="142" align="left" nowrap>Test Fee</th>
    </tr>
    <%
        String sql = "Select tname,tfee from addtest order by tname";
        ResultSet rs = SQLC.getData(sql, null);
        while (rs.next()) {
            String testname = rs.getString("tname");
            String testfee = rs.getString("tfee");
    %>
    <tr>
        <td width="194" height="30" nowrap><%=testname%></td>
        <td width="142" nowrap><%=testfee%></td>
    </tr>  
    <%
        }
    %>
</table>

请告诉我如何通过在 formbean 中编写代码并从 bean 到 jsp 一个一个地检索每个值来显示测试名称和费用 .. 请告诉我如何在不使用 scriplets 的情况下做到这一点 .. 非常感谢您按步骤回答谢谢: )

4

1 回答 1

1

将您的数据库读取代码移动到动作控制器。它应该从 db 中读取您需要的值并将其放入请求或模型中。

比使用 jstl 输出您的值(在 jsp 中):

<c:out value="${parameterFromRequest}"/>

定义 bean:

public class MyBean {
    private final String tName;
    private final String tFee;

    public MyBean(String tName, String tFee) {
        this.tName = tName;
        this.tFee = tFee;
    }

    public String getTName() {
        return tName;
    }

    public String getTFee() {
        return tFee;
    }
}

在动作控制器中创建集合:

String sql = "Select tname,tfee from addtest order by tname";
ResultSet rs = SQLC.getData(sql, null);
Collection<MyBean> myBeans = new ArrayList<MyBean>();
while (rs.next()) {
    String testname = rs.getString("tname");
    String testfee = rs.getString("tfee");
    myBeans.add(new MyBean(testname, testfee));
}

request.setAttribute("myBeans", myBeans);

jsp中的访问:

<c:forEach var="myBean" items="${myBeans}">
    Name: <c:out value="${myBean.tName}"/>
    Fee: <c:out value="${myBean.tFee}"/>
</c:forEach>
于 2012-05-23T06:04:51.640 回答