過濾器是一個對象,可以傳輸請求或修改響應。它可以在請求到達Servlet/JSP之前對其進行預先處理,而且能夠在響應離開Servlet/JSP之後對其進行後處理。所以如果你有幾個Servlet/JSP需要執行同樣的資料轉換或頁面處理的話,你就可以寫一個過濾器類,然後在部署描述檔案(web.xml)中把該過濾器與對應的Servlet/JSP聯絡起來。
你可以一個過濾器以作用於一個或一組servlet,零個或多個過濾器能過濾一個或多個servlet。一個過濾器實現java.servlet.Filter介面並定義它的三個方法:
1. void init(FilterConfig config) throws ServletException:在過濾器執行service前被調用,以設定過濾器的設定物件。
2. void destroy();在過濾器執行service後被調用。
3. Void doFilter(ServletRequest req,ServletResponse res,FilterChain chain) throws IOException,ServletException;執行實際的過濾工作。
伺服器調用一次init(FilterConfig)以為服務準備過濾器,然後在請求需要使用過濾器的任何時候調用doFilter()。FilterConfig介面檢索過濾器名、初始化參數以及活動的servlet上下文。伺服器調用destory()以指出過濾器已結束服務。
在doFilter()方法中,每個過濾器都接受當前的請求和響應,而FilterChain包含的過濾器則仍然必須被處理。doFilter()方法中,過濾器可以對請求和響應做它想做的一切。(就如我將在後面討論的那樣,通過調用他們的方法收集資料,或者給對象添加新的行為。)
chain.doFilter()將控制權傳送給下一個過濾器。當這個調用返回後,過濾器可以在它的doFilter()方法的最後對響應做些其他的工作;例如,它能記錄響應的資訊。如果過濾器想要終止請求的處理或或得對響應的完全控制,則他可以不調用下一個過濾器。
以下是一個過濾器的例子,用於擷取當前WEB應用的真實路徑,因為程式中經常需要知道這個路徑,所以這裡可以以過慮器的方式獲得,放入一個session中,然後程式其他地方就能夠使用了。
package wasingmon.common;
import java.io.IOException;
import javax.servlet.Filter;
import javax.servlet.FilterChain;
import javax.servlet.FilterConfig;
import javax.servlet.ServletException;
import javax.servlet.ServletRequest;
import javax.servlet.ServletResponse;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpSession;
public class AppContextFilter implements Filter{
private FilterConfig config=null;
public void init(FilterConfig config) throws ServletException {
this.config=config;
}
public void doFilter(ServletRequest requestx, ServletResponse response, FilterChain chain) throws IOException, ServletException {
HttpServletRequest request=(HttpServletRequest)requestx;
HttpSession session=request.getSession();
AppContext appcontext=(AppContext)session.getAttribute("wasingmon.common.AppContext");
if(appcontext==null){
AppContext context=new AppContext();
String webRealPath=request.getSession().getServletContext().getRealPath("/");
if(webRealPath.endsWith("//"))
context.setWebRealPath(webRealPath);
else
context.setWebRealPath(webRealPath+"//");
session.setAttribute("wasingmon.common.AppContext",context);
}
chain.doFilter(request,response);
}
public void destroy() {
this.config=null;
}
}
其中AppContext存放上下問有關資訊;
package wasingmon.common;
public class AppContext {
private String webRealPath=null;
public String getWebRealPath() {
return webRealPath;
}
public void setWebRealPath(String webRealPath) {
this.webRealPath = webRealPath;
}
}
在web.xml中,用 <filter>標籤部署它:
<filter>
<filter-name>AppContext</filter-name>
<display-name>Appcontext</display-name>
<filter-class>wasingmon.common.AppContextFilter</filter-class>
</filter>
<filter-mapping>
<filter-name>AppContext</filter-name>
<url-pattern>/*</url-pattern>
</filter-mapping>
這樣就完成了過濾器的設定,以後訪問jsp/servlet時過濾器就會執行。
END!