javaweb三大组件之监听器Listener
一、接口介绍
ServletContextListener:
概念:
- 监听ServletContext域的创建与销毁的监听器,Servlet域的生命周期:在服务器启动创建,服务器关闭时销毁;监听器的编写步骤:.
方法:
- void contextInitialized(ServletContextEvent sce) :ServletContext对象创建后会调用该方法
- void contextDestroyed(ServletContextEvent sce) :ServletContext对象被销毁之前会调用该方法
HttpSessionListener:
概念:
- 监听Httpsession域的创建与销毁的监听器。HttpSession对象的生命周期;
- 第一次调用request.getSession时创建;
- 销毁有以下几种情况:服务器关闭、session过期、 手动销毁
方法:
- sessionCreated(HttpSessionEvent httpSessionEvent):Httpsession对象创建后会调用该方法
- sessionDestroyed(HttpSessionEvent httpSessionEvent):Httpsession对象被销毁之前会调用该方法
ServletRequestListener: 概念:
- 监听ServletRequest域创建与销毁的监听器。ServletRequest的生命周期。
- 每一次请求都会创建request,请求结束则销毁。
方法:
- requestInitialized(ServletRequestEvent servletRequestEvent):request对象创建后会调用该方法
- requestDestroyed(ServletRequestEvent servletRequestEvent):request对象被销毁之前会调用该方法
二、步骤(以ServletContextListener为例)
xml方式:
- 1.定义一个类,实现ServletContextListener接口,成为一个监听器
- 2.重写监听方法
- 3.在web.xml配置监听器
<listener>
<!--配置监听器全类名-->
<listener-class>cn.itcast.web.listener.ContextLoaderListener</listener-class>
</listener>
注解方式:
- 1.定义一个类,实现ServletContextListener接口,成为一个监听器
- 2.在类上标注注解@WebListener
示例代码(xml方式):
ContextLoaderListener.java:
package cn.itcast.web.listener;
import javax.servlet.ServletContext;
import javax.servlet.ServletContextEvent;
import javax.servlet.ServletContextListener;
import javax.servlet.annotation.WebListener;
import java.io.FileInputStream;
@WebListener
public class ContextLoaderListener implements ServletContextListener {
/**
* 监听ServletContext对象创建的。ServletContext对象服务器启动后自动创建。
*
* 在服务器启动后自动调用
* @param servletContextEvent
*/
@Override
public void contextInitialized(ServletContextEvent servletContextEvent) {
//加载资源文件
//1.获取ServletContext对象
ServletContext servletContext = servletContextEvent.getServletContext();
//2.加载资源文件
String contextConfigLocation = servletContext.getInitParameter("contextConfigLocation");
//3.获取真实路径
String realPath = servletContext.getRealPath(contextConfigLocation);
//4.加载进内存
try{
FileInputStream fis = new FileInputStream(realPath);
System.out.println(fis);
}catch (Exception e){
e.printStackTrace();
}
System.out.println("ServletContext对象被创建了。。。");
}
/**
* 在服务器关闭后,ServletContext对象被销毁。当服务器正常关闭后该方法被调用
* @param servletContextEvent
*/
@Override
public void contextDestroyed(ServletContextEvent servletContextEvent) {
System.out.println("ServletContext对象被销毁了。。。");
}
}
web.xml:
<?xml version="1.0" encoding="UTF-8"?>
<web-app xmlns="http://xmlns.jcp.org/xml/ns/javaee"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://xmlns.jcp.org/xml/ns/javaee http://xmlns.jcp.org/xml/ns/javaee/web-app_4_0.xsd"
version="4.0">
<!-- 指定初始化参数 -->
<context-param>
<param-name>contextConfigLocation</param-name>
<!--以webapp目录为根路径-->
<param-value>/applicationContext.xml</param-value>
</context-param>
</web-app>