1. 如何将参数从界面传递到Action?
你可以把Struts2中的Action看做是Struts1的Action+ActionForm,即只需在Action中定义相关的属性(要有getters/setters方法),然后界面传参的名称跟这些属性保持一致即可。普通的数据类型,将可自动转换。(空字符串转换为int类型时将报错)
2.如何将数据从Action传输到JSP?
可通过多种方式传输
方式一:通过Action的属性传输
直接给action的属性赋值,在转向之后的JSP中,直接用标签<s:property value=”OGNL表达式”/>取出即可。
比如:
public class UserAction { private String username; private Integer age; private boolean valid; //查看用户的详细信息 public String detail(){ username = "张三"; age = 18; valid = true; return "detail"; } |
在detail.jsp中,引入struts2的taglib,用这些taglib来呈现数据:
<%@ page language="java" import="java.util.*" pageEncoding="UTF-8"%> <%@ taglib prefix="s" uri="/struts-tags" %> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"> <html> <body> username:<s:property value="username"/> <br/> valid:<s:property value="valid"/> <br/> age:<s:property value="age"/> <br/> </body> </html> |
方式二:通过ActionContext传输
可通过ActionContext.getContext().put()方法来传值
在Action的方法中:
public String detail(){ ActionContext.getContext().put("name", "王五"); username = "张三"; ActionContext.getContext().put("username", "李四"); return "detail"; } |
在JSP中:
<body> <!-- 从ActionContext中取name的值 --> name: <s:property value="#name"/> <br/> <!-- 先看Action中有没有name属性,如果没有,则到ActionContext中找name的值 --> name: <s:property value="name"/> <br/> <!-- 从ActionContext中取username的值 --> username : <s:property value="#username"/> <br/> <!-- 从Action对象中取username属性 --> username : <s:property value="username"/> <br/> </body> |
方式三:通过request/session等传输
可通过ServletActionContext.getRequest()/getSession()等方法来获得request/session对象,然后调用其中的setAttribute()方法来传值。
演示各种数据的传输、展现技巧!
在Action中通过request/session来传值:
public String detail(){ //通过request ServletActionContext.getRequest().setAttribute("sex", "男"); //通过session ServletActionContext.getRequest().getSession().setAttribute("address", "北京"); //通过session ActionContext.getContext().getSession().put("postcode", "1234567"); return "detail"; } |
在JSP中取值:
<body> <!-- 从request中取sex值 --> request.sex = <s:property value="#request.sex"/> <br/> request.sex = <s:property value="#request[‘sex‘]"/> <br/> <!-- 从session中取值 --> session.address = <s:property value="#session.address"/> <br/> session.postcode = <s:property value="#session.postcode"/> <br/> <!-- 依次搜索page/request/session/application scope取值 --> attr.postcode=<s:property value="#attr.postcode"/> <br/> </body> |