Springboot事件监听详解

1 基本概念

这个是异常的抛出和捕捉类似,我理解异常算是Event的一种。

  • Event事件,事件本身需要继承ApplicationEvent
  • 监听器Listener,负责监听抛出的事件,需要实现ApplicationListener接口。通常用@Component注入到容器中。
  • 事件抛出,抛出后会被监听器捕捉到,进而触发业务流程。

2 Spring自带监听事件

  • ServletContextListener – 监听servletContext对象的创建以及销毁
  • HttpSessionListener – 监听session对象的创建以及销毁
  • ServletRequestListener – 监听request对象的创建以及销毁
  • ServletContextAttributeListener – 监听servletContext对象中属性的改变
  • HttpSessionAttributeListener --监听session对象中属性的改变
  • ServletRequestAttributeListener --监听request对象中属性的改变
@Configuration
@WebListener
public class MyHttpSessionListener implements HttpSessionListener {

    @Override
    public void sessionCreated(HttpSessionEvent httpSessionEvent) {
        System.out.println("【监听器:Session】创建");
    }

    @Override
    public void sessionDestroyed(HttpSessionEvent httpSessionEvent) {
        System.out.println("【监听器:Session】 销毁");
    }
}

3 自定义监听事件

3.1 定义事件

public class HelloEvent extends ApplicationEvent {
    private String  name;

    public HelloEvent(Object source,String name) {
        super(source);
        this.name =name;
    }

    public String getName() {
        return name;
    }
}

3.2 定义监听器 方式1


@Component
public class HelloEventListener implements ApplicationListener {

    //HelloEvent事件,触发执行下面方法
    @Override
    public void onApplicationEvent(HelloEvent helloEvent) {
        System.out.println(helloEvent.getName()+"事件发生了");
    }
}

3.3 定义监听器方式2

  @EventListener
    public void listenHello(HelloEvent event) {
        System.out.println("listen {} say hello from listenHello method!!!"+event.getName());
    }

4 测试


@RestController
public class TestController {

    @Autowired
    private ApplicationContext applicationContext;


    @GetMapping("/test")
    public void testListerner(HttpServletRequest request){
        request.getSession();//创建session,触发session时间

        //调用方法是触发HelloEvent事件
        applicationContext.publishEvent(new HelloEvent(this,"new event"));
    }

    @EventListener
    public void listenHello(HelloEvent event) {
        System.out.println("listen {} say hello from listenHello method!!!"+event.getName());
    }
}

浏览器输入http://localhost:8080/test,控制台看到信息打印

【监听器:Session】创建
listen {} say hello from listenHello method!!!new event
new event事件发生了

你可能感兴趣的:(springboot)