詳解在Java的Struts2架構中配置Action的方法_java

來源:互聯網
上載者:User

在Struts2中Action部分,也就是Controller層採用了低侵入的方式。為什麼這麼說?這是因為在Struts2中action類並不需要繼承任何的基類,或實現任何的介面,更沒有與Servlet的API直接耦合。它通常更像一個普通的POJO(通常應該包含一個無參數的execute方法),而且可以在內容定義一系列的方法(無參方法),並可以通過配置的方式,把每一個方法都當作一個獨立的action來使用,從而實現代碼複用。
例如:

package example;public class UserAction {    private String username;    private String password;  public String execute() throws Exception {       //…………..    return “success”;  }  public String getUsername() {    return username;  }  public void setUsername(String username) {    this.username = username;  }  public String getPassword() {    return password;  }  public void setPassword(String password) {    this.password = password;  }}

action訪問servlet

在這個Action類裡的屬性,既可以封裝參數,又可以封裝處理結果。系統並不會嚴格區分它們。

但是為了使使用者開發的Action類更規範,Struts2為我們提供了一個介面Action,該類定義如下:

publicinterface Action {  publicstaticfinal String ERROR="error";  publicstaticfinal String INPUT="input";  publicstaticfinal String NONE="none";  publicstaticfinal String LOGIN="login";  publicstaticfinal String SUCCESS="success";  public String execute()throws Exception;}

但是我們寫Action通常不會實現該介面,而是繼承該介面的實作類別ActionSupport.

該類代碼如下:

public class ActionSupport implements Action, Validateable, ValidationAware, TextProvider, LocaleProvider, Serializable {   ................  public void setActionErrors(Collection errorMessages) {    validationAware.setActionErrors(errorMessages);  }  public Collection getActionErrors() {    return validationAware.getActionErrors();  }  public void setActionMessages(Collection messages) {    validationAware.setActionMessages(messages);  }  public Collection getActionMessages() {    return validationAware.getActionMessages();  }    public Collection getErrorMessages() {    return getActionErrors();  }    public Map getErrors() {    return getFieldErrors();  }//設定表單域校正錯誤  public void setFieldErrors(Map errorMap) {    validationAware.setFieldErrors(errorMap);  }  public Map getFieldErrors() {    return validationAware.getFieldErrors();  }  public Locale getLocale() {    ActionContext ctx = ActionContext.getContext();    if (ctx != null) {      return ctx.getLocale();    } else {      LOG.debug("Action context not initialized");      return null;    }  }//擷取國際化資訊的方法  public String getText(String aTextName) {    return textProvider.getText(aTextName);  }  public String getText(String aTextName, String defaultValue) {    return textProvider.getText(aTextName, defaultValue);  }  public String getText(String aTextName, String defaultValue, String obj) {    return textProvider.getText(aTextName, defaultValue, obj);  }    .........//用於訪問國際化資源套件的方法  public ResourceBundle getTexts() {    return textProvider.getTexts();  }  public ResourceBundle getTexts(String aBundleName) {    return textProvider.getTexts(aBundleName);  }//添加action的錯誤資訊  public void addActionError(String anErrorMessage) {    validationAware.addActionError(anErrorMessage);  }//添加action的普通訊息  public void addActionMessage(String aMessage) {    validationAware.addActionMessage(aMessage);  }  public void addFieldError(String fieldName, String errorMessage) {    validationAware.addFieldError(fieldName, errorMessage);  }     public void validate() {  }  public Object clone() throws CloneNotSupportedException {    return super.clone();  }..........}

前面說到struts2並沒有直接與Servlet的API耦合,那麼它是怎麼訪問Servlet的API的呢?

原來struts2中提供了一個ActionContext類,該類類比了Servlet的API。其主要方法如下:

1)Object get (Object key):該方法類比了HttpServletRequest.getAttribute(String name)方法。

2)Map getApplication()返回一個Map對象,該對象類比了ServletContext執行個體.

3)static ActionContext getContext():擷取系統的ActionContext執行個體。

4)Map getSession():返回一個Map對象,該對象類比了HttpSession執行個體.

5)Map getParameters():擷取所有的請求參數,類比了HttpServletRequest.getParameterMap()

你也許會奇怪為什麼這些方法老是返回一個Map?這主要是為了便於測試。至於它是怎麼把Map對象與實際的Servlet API的執行個體進行轉換的,這個我們根本就不要擔心,因為struts2已經內建了一些攔截器來幫我們完成這一轉換。

為了直接使用Servlet的API,Struts2為我們提供了以下幾個介面。

1)ServletContextAware:實現該介面的Action可以直接存取ServletContext執行個體。

2)ServletRequestAware:實現該介面的Action可以直接存取HttpServletRequest執行個體。

3)ServletResponseAware:實現該介面的Action可以直接存取HttpServletResponse執行個體。

以上主要講了action訪問servlet,下面讓我們來看一下Struts2的Action是如何?代碼複用的。就拿UserAction來說,我如果讓這個action既處理使用者註冊(regist)又處理登入(longin)該如何改寫這個action呢?改寫後的UserAction如下:

package example;public class UserAction extends ActionSupport {    private String username;    private String password;  public String regist() throws Exception {       //…………..    return SUCCESS;  }public String login() throws Exception {       //…………..    return SUCCESS;  }  public String getUsername() {    return username;  }  public void setUsername(String username) {    this.username = username;  }  public String getPassword() {    return password;  }  public void setPassword(String password) {    this.password = password;  }}

struts.xml中的action配置
是不是這麼寫就ok了,當然不行我們還必須在struts.xml檔案中配置一下。配置方法有兩種:

1)      使用普通的方式為Action元素指定method屬性.

<action name=”loginAction” class=”example.UserAction” method=”login”>    <result name=”success”>/success.jsp</result></action><action name=”registAction” class=”example.UserAction” method=”regist”>    <result name=”success”>/success.jsp</result></action>

2)      採用萬用字元的方式為Action元素指定method屬性。

<action name=”*Action” class=”example.UserAction” method=”{1}”>    <result name=”success”>/success.jsp</result></action>

使用萬用字元的方式過於靈活,下面是一個較複雜的配置情況。

<action name=”*_*” class=”example.{1}Action” method=”{2}”>……….</action>

其中預留位置{1}與_的前一個*匹配,{2}與後一個*匹配。

基於註解方式Action配置:
下面要說的Action的配置不是在src/struts.xml中,而是用註解方式來進行配置的
前提是除了基本的那六個jar包之外,還需要一個struts-2.1.8.1\lib\struts2-convention-plugin-2.1.8.1.jar
不過struts.xml還是要有的
具體樣本
Login.jsp
 

<%@ page language="java" import="java.util.*" pageEncoding="utf-8"%> <!DOCTYPE HTML PUBLIC "-//W3C//DTD HTML 4.01 Transitional//EN"> <html>  <head>   <title>Struts2登入驗證</title>   <meta http-equiv="keywords" content="keyword1,keyword2,keyword3">   <meta http-equiv="description" content="This is my page">   <!--   <link rel="stylesheet" type="text/css" href="styles.css">   -->  </head>    <body>  <h3>Struts2登入</h3><hr/>   <form action="${pageContext.request.contextPath}/user/login.qqi" method="post">     <table border="1" width="500px">       <tr>         <td>使用者名稱</td>         <td><input type="text" name="loginname"/></td>       </tr>       <tr>         <td>密碼</td>         <td><input type="password" name="pwd"/></td>       </tr>       <tr>         <td colspan="2"><input type="submit" value="登入"/></td>       </tr>     </table>   </form>  </body> </html> 

 src/struts.xml
 

<span style="font-size: large;"><?xml version="1.0" encoding="UTF-8" ?> <!DOCTYPE struts PUBLIC   "-//Apache Software Foundation//DTD Struts Configuration 2.1.7//EN"   "http://struts.apache.org/dtds/struts-2.1.7.dtd">  <struts>   <!-- 請求參數的編碼方式 -->   <constant name="struts.i18n.encoding" value="UTF-8"/>   <!-- 指定被struts2處理的請求尾碼類型。多個用逗號隔開 -->   <constant name="struts.action.extension" value="action,do,go,qqi"/>   <!-- 當struts.xml改動後,是否重新載入。預設值為false(生產環境下使用),開發階段最好開啟 -->   <constant name="struts.configuration.xml.reload" value="true"/>   <!-- 是否使用struts的開發模式。開發模式會有更多的調試資訊。預設值為false(生產環境下使用),開發階段最好開啟 -->   <constant name="struts.devMode" value="false"/>   <!-- 設定瀏覽器是否緩衝靜態內容。預設值為true(生產環境下使用),開發階段最好關閉 -->   <constant name="struts.serve.static.browserCache" value="false" />   <!-- 指定由spring負責action對象的建立    <constant name="struts.objectFactory" value="spring" />   -->   <!-- 是否開啟動態方法引動過程 -->   <constant name="struts.enable.DynamicMethodInvocation" value="false"/> </struts></span> 

 
 LoginAction.java
 

package com.javacrazyer.web.action;  import org.apache.struts2.convention.annotation.Action; import org.apache.struts2.convention.annotation.ExceptionMapping; import org.apache.struts2.convention.annotation.ExceptionMappings; import org.apache.struts2.convention.annotation.Namespace; import org.apache.struts2.convention.annotation.ParentPackage; import org.apache.struts2.convention.annotation.Result; import org.apache.struts2.convention.annotation.Results;  import com.opensymphony.xwork2.ActionSupport;  /**  * 使用註解來配置Action  *  */ @ParentPackage("struts-default") // 父包 @Namespace("/user") @Results( { @Result(name = "success", location = "/msg.jsp"),     @Result(name = "error", location = "/error.jsp") }) @ExceptionMappings( { @ExceptionMapping(exception = "java.lange.RuntimeException", result = "error") }) public class LoginAction extends ActionSupport {   private static final long serialVersionUID = -2554018432709689579L;   private String loginname;   private String pwd;    @Action(value = "login")   public String login() throws Exception {      if ("qq".equals(loginname) && "123".equals(pwd)) {       return SUCCESS;     } else {       return ERROR;     }   }    @Action(value = "add", results = { @Result(name = "success", location = "/index.jsp") })   public String add() throws Exception {     return SUCCESS;   }    public String getLoginname() {     return loginname;   }    public void setLoginname(String loginname) {     this.loginname = loginname;   }    public String getPwd() {     return pwd;   }    public void setPwd(String pwd) {     this.pwd = pwd;   }  }

 
success.jsp和error.jsp我就不貼出來了

註解配置的解釋
 
  1) @ParentPackage 指定父包
  2) @Namespace 指定命名空間
  3) @Results 一組結果的數組
  4) @Result(name="success",location="/msg.jsp") 一個結果的映射
  5) @Action(value="login") 指定某個請求處理方法的請求URL。注意,它不能添加在Action類上,要添加到方法上。
  6) @ExceptionMappings 一級聲明異常的數組
  7) @ExceptionMapping 映射一個聲明異常

由於這種方式不是很常用,所以大家只做瞭解即可

相關文章

聯繫我們

該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.