You seem to misunderstand the working and purpose of jsp:useBean
.
First of all, you've declared the bean to be in the session scope and you're filling it with all parameters of the current request.
<jsp:useBean id="user" class="com.hermes.data.RateCode_" scope="session">
<jsp:setProperty name="user" property="*"/>
</jsp:useBean>
This bean is thus stored as session attribute with the name user
. You need to retrieve it in the servlet as session attribute, not as request attribute.
RateCode_ user = (RateCode_) request.getSession().getAttribute("user");
(user
is a terrible and confusing attribute name by the way, I'd rename it rateCode
or something, without this odd _
in the end)
However, it'll contain nothing. The getCode()
and getDescription()
will return null
. The <jsp:setProperty>
has namely not filled it with all request parameters yet at that point you're attempting to access it in the servlet. It will only do that when you forward the request containing the parameters back to the JSP page. However this takes place beyond the business logic in the servlet.
You need to gather them as request parameters yourself. First get rid of whole <jsp:useBean>
thing in the JSP and do as follows in the servlet's doPost()
method:
RateCode_ user = new RateCode_();
user.setCode(request.getParameter("code"));
user.setDescription(request.getParameter("description"));
// ...
request.setAttribute("user", user); // Do NOT store in session unless really necessary.
and then you can access it in the JSP as below:
<input type="text" name="code" value="${user.code}" />
<input type="text" name="description" value="${user.description}" />
(this is only sensitive to XSS attacks, you'd like to install JSTL and use fn:escapeXml
)
No, you do not need <jsp:useBean>
in JSP. Keep it out, it has practically no value when you're using the MVC (level 2) approach with real servlets. The <jsp:useBean>
is only useful for MV design (MVC level 1). To save boilerplate code of collecting request parameters, consider using a MVC framework or Apache Commons BeanUtils. See also below links for hints.
See also:
与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…