无状态 bean 的作用域是 singleton 单实例,如果我们向 singleton 的 bean a 注入 prototype 的 bean b,并希望每次调用 bean a 的 getbeanb() 时都能返回一个新的 bean b ,这样的要求使用传统的注入方式是无法实现的 。 因为 singleton 的 bean 注入关联 bean 的动作只发生一次,虽然 bean b 的作用域是 prototype 类型,但通过 getbeanb() 返回的对象还是最开始注入的那个 bean b。
所以如果希望每次调用 beana 的 getbeanb() 时都能返回一个新的 beanb 的一种可选的方案是:让 bean a 实现 beanfactoryaware 接口,从而能够访问容器,然后以下面这种方式来实现。
首先配置 xml:
1
2
3
4
|
<bean id= "book" class = "net.deniro.spring4.bean.book" p:name= "面纱" > </bean> |
bean author 的 scope 设置为 prototype。
book 类实现 beanfactoryaware 接口:
1
2
3
4
5
6
7
8
9
10
|
public class book implements beanfactoryaware { ... @override public void setbeanfactory(beanfactory beanfactory) throws beansexception { this .factory = beanfactory; } public author getprototypeauthor() { return (author) factory.getbean( "author" ); } } |
单元测试:
1
2
3
4
5
6
7
8
9
10
11
12
|
applicationcontext context; @beforemethod public void setup() throws exception { context = new classpathxmlapplicationcontext( "beans5-5.xml" ); } @test public void test(){ book book= (book) context.getbean( "book" ); system.out.println(book.getauthor().hashcode()); system.out.println(book.getauthor().hashcode()); system.out.println(book.getprototypeauthor().hashcode()); system.out.println(book.getprototypeauthor().hashcode()); |
测试结果
从结果中可以发现,只有从 beanfactory 中获取得到的 author 实例是不同的。
这种实现把应用与 spring 框架绑定在了一起,是否有更好的解决方案呢?有,就是注入方法。
1 注入方法
spring 容器依赖于 cglib 库,所以可以在运行期动态操作 class 的字节码,比如动态地创建 bean 的子类或实现类。
bookinterface 接口:
1
2
3
|
public interface bookinterface { author getauthor(); } |
xml 配置:
1
2
3
4
5
6
7
|
<!-- 方法注入--> <bean id= "author" class = "net.deniro.spring4.bean.author" scope= "prototype" p:name= "毛姆" /> <bean id= "book2" class = "net.deniro.spring4.bean.bookinterface" > <lookup-method name= "getauthor" bean= "author" /> </bean> |
单元测试:
1
2
3
|
bookinterface book= (bookinterface) context.getbean( "book2" ); assert .assertequals( "毛姆" ,book.getauthor().getname()); assert .asserttrue(book.getauthor().hashcode()!=book.getauthor().hashcode()); |
通过这种配置方式,就可以为接口提供动态实现啦,而且这样返回的 bean 都是新的实例。
所以,如果希望在一个 singleton bean 中获取一个 prototype bean 时,就可以使用 lookup 来实现注入方法。
2 替换方法
在 spring 中,可以使用某个 bean 的方法去替换另一个 bean 的方法。
假设 book 中有一个 getname() 方法,用于获取书名:
1
2
3
4
5
6
7
|
/** * 书名 */ private string name; public string getname() { return name; } |
我们现在新建一个 bean,它实现了 methodreplacer 接口,用于替换 book 中的 getname() 方法:
1
2
3
4
5
6
|
public class book4 implements methodreplacer { @override public object reimplement(object obj, method method, object[] args) throws throwable { return "活着" ; } } |
配置:
1
2
3
4
5
|
<bean id= "book3" class = "net.deniro.spring4.bean.book" p:name= "灿烂千阳" > <replaced-method name= "getname" replacer= "book4" /> </bean> <bean id= "book4" class = "net.deniro.spring4.bean.book4" /> |
测试:
1
2
|
book book= (book) context.getbean( "book3" ); assertequals( "活着" , book.getname()); |
总结
以上所述是小编给大家介绍的spring 框架中注入或替换方法实现,希望对大家有所帮助,如果大家有任何疑问欢迎给我留言,小编会及时回复大家的!
原文链接:https://www.jianshu.com/p/c370d71432e0