使用 @Resource 进行注入

Spring 还支持通过在字段或 Bean 属性 setter 方法上使用 JSR-250 @Resource 注解(jakarta.annotation.Resource)进行注入。这是 Jakarta EE 中的一种常见模式:例如,在 JSF 托管 Bean 和 JAX-WS 端点中。Spring 也支持 Spring 托管对象的这种模式。

@Resource 带有一个 name 属性。默认情况下,Spring 将该值解释为要注入的 Bean 名称。换句话说,它遵循按名称语义,如下例所示

  • Java

  • Kotlin

public class SimpleMovieLister {

	private MovieFinder movieFinder;

	@Resource(name="myMovieFinder") (1)
	public void setMovieFinder(MovieFinder movieFinder) {
		this.movieFinder = movieFinder;
	}
}
1 此行注入一个 @Resource
class SimpleMovieLister {

	@Resource(name="myMovieFinder") (1)
	private lateinit var movieFinder:MovieFinder
}
1 此行注入一个 @Resource

如果未显式指定名称,则默认名称将从字段名称或 setter 方法派生。对于字段,它采用字段名称。对于 setter 方法,它采用 Bean 属性名称。以下示例将把名为 movieFinder 的 Bean 注入其 setter 方法中

  • Java

  • Kotlin

public class SimpleMovieLister {

	private MovieFinder movieFinder;

	@Resource
	public void setMovieFinder(MovieFinder movieFinder) {
		this.movieFinder = movieFinder;
	}
}
class SimpleMovieLister {

	@set:Resource
	private lateinit var movieFinder: MovieFinder

}
注解提供的名称由 ApplicationContext 解析为 Bean 名称,CommonAnnotationBeanPostProcessor 能够识别该 ApplicationContext。如果您显式配置 Spring 的SimpleJndiBeanFactory,则可以通过 JNDI 解析名称。但是,我们建议您依赖默认行为并使用 Spring 的 JNDI 查找功能来保留间接级别。

@Resource 使用且未指定显式名称的独占情况下,与@Autowired类似,@Resource 查找主要类型匹配而不是特定命名的 Bean,并解析众所周知的可解析依赖项:BeanFactoryApplicationContextResourceLoaderApplicationEventPublisherMessageSource 接口。

因此,在以下示例中,customerPreferenceDao 字段首先查找名为“customerPreferenceDao”的 Bean,然后回退到类型CustomerPreferenceDao的主要类型匹配

  • Java

  • Kotlin

public class MovieRecommender {

	@Resource
	private CustomerPreferenceDao customerPreferenceDao;

	@Resource
	private ApplicationContext context; (1)

	public MovieRecommender() {
	}

	// ...
}
1 context 字段根据已知可解析依赖项类型注入:ApplicationContext
class MovieRecommender {

	@Resource
	private lateinit var customerPreferenceDao: CustomerPreferenceDao


	@Resource
	private lateinit var context: ApplicationContext (1)

	// ...
}
1 context 字段根据已知可解析依赖项类型注入:ApplicationContext