我想展示使用Spring的@Autowired
批注的不同方式: Constructor , Method和Field自动装配。 我展示的示例都是byType
自动装配模式的一种形式( constructor
自动装配模式类似于byType
)。 请参阅Spring参考指南 ,以获取有关自动装配模式的更多信息。
构造器自动装配
使用从属bean作为构造函数参数创建一个构造函数,并将@Autowired
批注添加到该构造函数。 构造函数自动装配的一大优点是可以将字段定为最终字段,因此构造后不得更改。
package com.jdriven;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;@Component
public class AutowiredCapabilityBean
{//The InjectableBean can be made finalprivate final InjectableBean injectableBean; //The InjectableBean is autowired byType and is required.//An error is thrown when no bean or multiple beans of InjectableBean exist@Autowiredpublic AutowiredCapabilityBean(InjectableBean injectableBean) {this.injectableBean = injectableBean;}
}
方法自动装配
为从属bean创建一个setter方法,并将@Autowired
批注添加到setter方法。 使用方法自动装配的一个缺点是可以在生产代码中调用setter,从而意外覆盖了bean。
package com.jdriven;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;@Component
public class AutowiredCapabilityBean
{private InjectableBean injectableBean; //No explicit constructor is needed. The default constructor is used.//The InjectableBean is autowired byType, but is not required.@Autowiredpublic void setInjectableBean(InjectableBean injectableBean) {this.injectableBean = injectableBean;}
}
现场自动接线
为从属bean创建一个字段(成员变量),并将@Autowired
批注添加到该字段。 这种自动装配方式的代码更少,但是需要使用InjectableBean
的实现来测试AutowiredCapabilityBean
,因为它没有构造函数,也没有设置方法。
package com.jdriven;import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;@Component
public class AutowiredCapabilityBean
{//The InjectableBean is autowired byType and is required.@Autowiredprivate InjectableBean injectableBean; //No explicit constructor is needed. The default constructor is used.
}
翻译自: https://www.javacodegeeks.com/2015/03/spicy-spring-different-ways-of-autowiring.html