介绍
Spring Event是Spring Framework中的一个重要特性,用于处理事件驱动编程模型下的交互。它通过使用发布/订阅模式或观察者模式,使应用程序在不同模块之间实现松散的耦合。
简单来说,Spring Event可以让应用程序中的一个模块通过发送事件来通知其他模块执行某些操作。这些操作可以是异步的并且不阻塞当前执行线程。
Spring Event的核心是发布者、订阅者和事件对象。发布者负责发布事件,订阅者订阅事件并在事件被发布时执行某些操作,事件对象是用来传递数据的。
Spring Event支持同步和异步事件,可以在多线程环境中使用,甚至可以在不同应用程序之间进行事件传递。它可以和Spring Framework的其他特性如AOP和事务管理一起使用,提高应用程序的可靠性和健壮性。
引入
<!--Spring Event的相关API在spring-context包中。spring-boot-starter-web包含spring-context-->
<dependency>
<groupId>org.springframework.boot</groupId>
<artifactId>spring-boot-starter-web</artifactId>
</dependency>
案例
创建DTO类
import lombok.Data;
@Data
public class OptLogDTO {
private String requestIp; //操作IP
private String type; //日志类型 LogType{OPT:操作类型;EX:异常类型}
private String userName; //操作人
private String description; //操作描述
}
创建事件类
import cn.itcast.dto.OptLogDTO;
import org.springframework.context.ApplicationEvent;
/**
* 定义系统日志事件
*/
public class SysLogEvent extends ApplicationEvent {
public SysLogEvent(OptLogDTO optLogDTO) {
super(optLogDTO);
}
}
创建监听器类
import cn.itcast.dto.OptLogDTO;
import cn.itcast.event.SysLogEvent;
import org.springframework.context.event.EventListener;
import org.springframework.scheduling.annotation.Async;
import org.springframework.stereotype.Component;
/**
* 异步监听日志事件
*/
@Component
public class SysLogListener {
@Async//异步处理
@EventListener(SysLogEvent.class)
public void saveSysLog(SysLogEvent event) {
OptLogDTO sysLog = (OptLogDTO) event.getSource();
System.out.println("监听到日志操作事件:" + sysLog);
//将日志信息保存到数据库...
}
}
创建控制类
import cn.itcast.dto.OptLogDTO;
import cn.itcast.event.SysLogEvent;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.ApplicationContext;
import org.springframework.context.ApplicationEvent;
import org.springframework.web.bind.annotation.GetMapping;
import org.springframework.web.bind.annotation.RequestMapping;
import org.springframework.web.bind.annotation.RestController;
@RestController
@RequestMapping("/user")
public class UserController {
@Autowired
private ApplicationContext applicationContext;
@GetMapping("/getUser")
public String getUser(){
//构造操作日志信息
OptLogDTO logInfo = new OptLogDTO();
logInfo.setRequestIp("127.0.0.1");
logInfo.setUserName("admin");
logInfo.setType("OPT");
logInfo.setDescription("查询用户信息");
//构造事件对象
ApplicationEvent event = new SysLogEvent(logInfo);
//发布事件
applicationContext.publishEvent(event);
return "OK";
}
}
创建启动类
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.scheduling.annotation.EnableAsync;
@SpringBootApplication
@EnableAsync//启用异步处理
public class SpringEventApp {
public static void main(String[] args) {
SpringApplication.run(SpringEventApp.class,args);
}
}