解析Java的Spring框架的BeanPostProcessor发布处理器
beanpostprocessor 的接口定义,可以实现提供自己的实例化逻辑,依赖解析逻辑等,也可以以后在spring容器实例化完毕,配置和初始化一个bean通过插入一个或多个的beanpostprocessor实现一些自定义逻辑回调方法实现。
可以配置多个的beanpostprocessor接口,控制这些的beanpostprocessor接口,通过设置属性顺序执行顺序提供的beanpostprocessor实现了ordered接口。
beanpostprocessor可以对bean(或对象)操作实例,这意味着spring ioc容器实例化一个bean实例,然后beanpostprocessor的接口做好自己的工作。
applicationcontext会自动检测已定义实现的beanpostprocessor接口和注册这些bean类为后置处理器,可然后通过在容器创建bean,在适当时候调用任何bean。
示例:
下面的示例显示如何编写,注册和使用beanpostprocessor 可以在一个applicationcontext 的上下文。
使用eclipse ide,然后按照下面的步骤来创建一个spring应用程序:
这里是 helloworld.java 文件的内容:
package com.yiibai; public class helloworld { private string message; public void setmessage(string message){ this.message = message; } public void getmessage(){ system.out.println("your message : " + message); } public void init(){ system.out.println("bean is going through init."); } public void destroy(){ system.out.println("bean will destroy now."); } }
这是实现beanpostprocessor,之前和之后的任何bean的初始化它打印一个bean的名字非常简单的例子。可以因为有两个后处理器的方法对内部bean对象访问之前和实例化一个bean后执行更复杂的逻辑。
这里是inithelloworld.java文件的内容:
package com.yiibai; import org.springframework.beans.factory.config.beanpostprocessor; import org.springframework.beans.beansexception; public class inithelloworld implements beanpostprocessor { public object postprocessbeforeinitialization(object bean, string beanname) throws beansexception { system.out.println("beforeinitialization : " + beanname); return bean; // you can return any other object as well } public object postprocessafterinitialization(object bean, string beanname) throws beansexception { system.out.println("afterinitialization : " + beanname); return bean; // you can return any other object as well } }
以下是mainapp.java 文件的内容。在这里,需要注册一个关闭挂钩registershutdownhook() 是在abstractapplicationcontext类中声明的方法。这将确保正常关闭,并调用相关的destroy方法。
package com.yiibai; import org.springframework.context.support.abstractapplicationcontext; import org.springframework.context.support.classpathxmlapplicationcontext; public class mainapp { public static void main(string[] args) { abstractapplicationcontext context = new classpathxmlapplicationcontext("beans.xml"); helloworld obj = (helloworld) context.getbean("helloworld"); obj.getmessage(); context.registershutdownhook(); } }
下面是init和destroy方法需要的配置文件beans.xml文件:
<?xml version="1.0" encoding="utf-8"?> <beans xmlns="http://www.springframework.org/schema/beans" xmlns:xsi="http://www.w3.org/2001/xmlschema-instance" xsi:schemalocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans-3.0.xsd"> <bean id="helloworld" class="com.yiibai.helloworld" init-method="init" destroy-method="destroy"> <property name="message" value="hello world!"/> </bean> <bean class="com.yiibai.inithelloworld" /> </beans>
创建源代码和bean配置文件完成后,让我们运行应用程序。如果一切顺利,这将打印以下信息:
beforeinitialization : helloworld bean is going through init. afterinitialization : helloworld your message : hello world! bean will destroy now.