过滤器顾名思义位于中间层起过滤的作用,用于拦截请求或响应信息,为JaveWeb提供预处理的机会,增加JavaWeb应用程序的灵活性。
过滤器并不是Servlet,而是先于与之关联的Servlet或JSP页面运行的程序,以实现过滤功能,常见的过滤操作有访问权限控制、编码转换、数据加密解密等。
过滤器可以对用户的请求做出处理。处理完成后,可以继续交给下一个过滤器继续处理,这样就可以形成过滤器链来逐步处理用户的请求,直到请求发送到目标资源为止。当过滤器处理成功后,把提交的数据发送到最终目标;如果过滤器处理不成功,将把视图派发到指定的错误页面。
过滤器开发步骤
(1) 编写实现Filter接口的Java类
//统计请求处理时间
public class TimerFilter implements Filter
{
public TimerFilter(){}
public void init(FilterConfig fConfig) throwsServletException{ }
public void doFilter(ServletRequest request, ServletResponse response,
FilterChain chain) throws IOException, ServletException
{
Date startTime,endTime;
//起始时间
startTime=new Date();
chain.doFilter(request, response);
endTime=new Date();
double duration=(endTime.getTime()-startTime.getTime())/1000;
System.out.println("handlingrequest consumes:"+duration+" s");
}
public void destroy(){ }
}
(2) 在web.xml中配置过滤器
<filter>
<display-name>TimerFilter</display-name>
<filter-name>TimerFilter</filter-name>
<filter-class>TimerFilter</filter-class>
</filter>
<filter-mapping>
<filter-name>TimerFilter</filter-name>
<url-pattern>/*</url-pattern>
</filter-mapping>
doFilter方法中添加过滤行为,在doFilter方法内可以实现对Request、Response对象的访问,最后一个参数为FilterChain实例,调用该实例的doFilter方法(若实现对请求的过滤应该在doFilter方法之前操作,若实现对响应的过滤则应该在doFilter之后操作)可以激活下一个相关的过滤器。如果没有其他过滤器,则激活与之相关的Servlet或JSP页面。
另一个比较常见的过滤操作是编码过滤器,实现如下:
public class EncodingFilter implements Filter
{
private String encoding;
public void init(FilterConfig fConfig) throws ServletException
{
encoding=fConfig.getInitParameter("encoding");
}
public EncodingFilter()
{
}
public void doFilter(ServletRequest request, ServletResponse response,
FilterChain chain) throws IOException, ServletException
{
if (encoding!=null)
{
request.setCharacterEncoding(encoding);
}
chain.doFilter(request, response);
}
public void destroy()
{
encoding=null;
}
}
web.xml配置如下
<filter>
<display-name>EncodingFilter</display-name>
<filter-name>EncodingFilter</filter-name>
<filter-class>EncodingFilter</filter-class>
<init-param>
<param-name>encoding</param-name>
<param-value>UTF-8</param-value>
</init-param>
</filter>
<filter-mapping>
<filter-name>EncodingFilter</filter-name>
<url-pattern>/*</url-pattern>
</filter-mapping>
注意:若有多个Filter,Filter的拦截的顺序与配置文件中Filter出现的顺序一致。
版权声明:本文为博主原创文章,未经博主允许不得转载。
原文地址:http://blog.csdn.net/sunshuolei/article/details/48092507