📅  最后修改于: 2020-11-12 05:39:50             🧑  作者: Mango
Servlet过滤器是Java类,出于以下目的,可以在Servlet编程中使用它们-
在客户端访问后端资源之前拦截客户端的请求。
在服务器将响应发送回客户端之前对其进行操作。
规格建议使用多种类型的过滤器-
过滤器部署在部署描述符文件web.xml中,然后映射到应用程序的部署描述符中的servlet名称或URL模式。
Web容器启动Web应用程序时,它将为您在部署描述符中声明的每个过滤器创建一个实例。筛选器按照在部署描述符中声明的顺序执行。
过滤器只是实现javax.servlet.Filter接口的Java类。 javax.servlet.Filter接口定义了三种方法-
Sr.No. | Method & Description |
---|---|
1 |
public void doFilter (ServletRequest, ServletResponse, FilterChain) This method is called by the container each time a request/response pair is passed through the chain due to a client request for a resource at the end of the chain. |
2 |
public void init(FilterConfig filterConfig) This method is called by the web container to indicate to a filter that it is being placed into service. |
3 |
public void destroy() This method is called by the web container to indicate to a filter that it is being taken out of service. |
以下是Servlet筛选器示例,该示例将显示客户端IP地址和当前日期时间。该示例将使您对Servlet过滤器有基本的了解,但是您可以使用相同的概念编写更复杂的过滤器应用程序-
// Import required java libraries
import java.io.*;
import javax.servlet.*;
import javax.servlet.http.*;
import java.util.*;
// Implements Filter class
public class LogFilter implements Filter {
public void init(FilterConfig config) throws ServletException {
// Get init parameter
String testParam = config.getInitParameter("test-param");
//Print the init parameter
System.out.println("Test Param: " + testParam);
}
public void doFilter(ServletRequest request, ServletResponse response,
FilterChain chain) throws java.io.IOException, ServletException {
// Get the IP address of client machine.
String ipAddress = request.getRemoteAddr();
// Log the IP address and current timestamp.
System.out.println("IP "+ ipAddress + ", Time " + new Date().toString());
// Pass request back down the filter chain
chain.doFilter(request,response);
}
public void destroy( ) {
/* Called before the Filter instance is removed from service by the web container*/
}
}
以常规方式编译LogFilter.java并将您的类文件放入
定义过滤器,然后将其映射到URL或Servlet,与定义Servlet然后将其映射到URL模式几乎相同。在部署描述符文件web.xml中为过滤器标签创建以下条目
LogFilter
LogFilter
test-param
Initialization Paramter
LogFilter
/*
上面的过滤器将应用于所有servlet,因为我们在配置中指定了/ * 。如果只想对几个servlet应用过滤器,则可以指定一个特定的servlet路径。
现在尝试以通常的方式调用任何servlet,您将在Web服务器日志中看到生成的日志。您可以使用Log4J记录器在单独的文件上方记录日志。
您的Web应用程序可能会针对特定目的定义几个不同的过滤器。考虑一下,您定义了两个过滤器AuthenFilter和LogFilter 。其余过程将如上所述,但您需要创建另一个映射,如下所述-
LogFilter
LogFilter
test-param
Initialization Paramter
AuthenFilter
AuthenFilter
test-param
Initialization Paramter
LogFilter
/*
AuthenFilter
/*
web.xml中过滤器映射元素的顺序决定了Web容器将过滤器应用于servlet的顺序。要颠倒过滤器的顺序,您只需要颠倒web.xml文件中的过滤器映射元素。
例如,上面的示例将首先应用LogFilter,然后将AuthenFilter应用于任何servlet,但是下面的示例将颠倒顺序-
AuthenFilter
/*
LogFilter
/*