美文网首页我爱编程
Spring事件机制入门

Spring事件机制入门

作者: 琳琅TS | 来源:发表于2018-06-11 14:19 被阅读0次

    事件驱动模型也就是我们常说的观察者,或者发布-订阅模型;理解它的几个关键点:
    1. 首先是一种对象间的一对多的关系;最简单的如交通信号灯,信号灯是目标(一方),行人注视着信号灯(多方)
    2. 当目标发送改变(发布),观察者(订阅者)就可以接收到改变
    3. 观察者如何处理(如行人如何走,是快走/慢走/不走,目标不会管的),目标无需干涉;所以就松散耦合了它们之间的关系。

    Spring 的事件机制和事件发布是 ApplicationContext 本身提供的功能,要实现 Spring Events 需要遵循以下几点:

    • 自定义事件必须继承 ApplicationEvent
    • 事件发布者需要注入并使用 ApplicationEventPublisher 发布事件 也可以直接使用 ApplicationContext 发布事件,因为它继承ApplicationEventPublisher 接口
    • 事件监听器需要实现 ApplicationListener 接口 也可以使用注解 @EventListener

    一、自定义事件

    首先自定义一个事件,需要继承ApplicationEvent类,相当于安装了一个没有通电,没有灯光的信号灯,需要具有信号灯的基本特征。

    import org.springframework.context.ApplicationEvent;
    public class EventTest extends ApplicationEvent {
        private static final long serialVersionUID = 1L;
        private String message;
        public EventTest(Object source, String message) {
            super(source);
            this.message = message;
        }
        public String getMessage() {
            return message;
        }
        public void setMessage(String message) {
            this.message = message;
        }
    }
    

    二、自定义监听类

    然后再创建一个监听类,相当于行人(不管是否使用交通工具),需要实现ApplicationListener接口,并且重写onApplicationEvent方法,可以理解成这个行人需要看信号灯,并且能理解信号灯的意思才行。否则不看信号灯跟没有信号灯没有区别,看了不理解也没用。

    import org.springframework.context.ApplicationListener;
    import org.springframework.stereotype.Component;
    @Component
    public class ListenerTest1 implements ApplicationListener<EventTest> {
        public void onApplicationEvent(EventTest event) {
            System.out.println("test1:" + event.getMessage());
        }
    }
    

    三、实现事件发布类

    那么第三步自然是需要一个控制信号灯变化的东西,相当于是给他接好电线,给他一个正常变换红黄绿的程序和电路。

    import org.springframework.beans.factory.annotation.Autowired;
    import org.springframework.context.ApplicationContext;
    import org.springframework.stereotype.Component;
    @Component
    public class EventPublish {
        @Autowired
        ApplicationContext context;
        public void publish(String message) {
            context.publishEvent(new EventTest(this, message));
        }
    }
    

    四、发布调用示例

    
    EventPublish eventPublish = SpringUtil.getBean(EventPublish.class);
    eventPublish.publish("测试事件监听");
    
    

    相关文章

      网友评论

        本文标题:Spring事件机制入门

        本文链接:https://www.haomeiwen.com/subject/wjcheftx.html