SpringBoot实现事件监听机制
前言
SpringBoot实现事件监听机制一共有三个步骤;
第一个步骤:需要有一个事件类
第二个步骤:需要一个发布事件的动作
第三个步骤:需要有一个监听此事件被发布这个动作的方法
第一个步:创建一个事件类
@Getter
public class UserEvent{
private String username;
private Integer age;
public UserEvent(String username, Integer age){
this.username = username;
this.age = age;
}
}
第二步:发布事件
1、类必须要实现ApplicationEventPublisherAware接口,并实现方法来注册ApplicationEventPublisher对象
2、调用ApplicationEventPublisher的publishEvent方法去发布一个事件
@Controller
public class TestController implements ApplicationEventPublisherAware {
private ApplicationEventPublisher applicationEventPublisher;
@Override
public void setApplicationEventPublisher(ApplicationEventPublisher applicationEventPublisher) {
this.applicationEventPublisher = applicationEventPublisher;
}
@GetMapping("/test")
public void test(){
//发布事务
applicationEventPublisher.publishEvent(new UserEvent("张三", 18));
}
}
第三步:监听事件
使用@EventListener去监听事件,一旦事件被提交@EventListener所作用的方法就会被执行
/**
* 监听到UserEvent事件的发布后执行doSomething方法
*/
@EventListener(UserEvent.class)
public void doSomething(UserEvent event){
String username = event.getUsername();
Integer age = event.getAge();
}