在Spring中如何获取一个Bean

引言

在这篇文章中,我们将介绍在Spring框架(包括SpringBoot、SpringCloud)中获取Bean的方法,在Spring容器中,Bean的存在方式是多种多样的,针对不同种类的Bean我们有哪些方法可以获取到它们,如何安全的获取这些Bean而不会产生错误,获取到它们之后我们有能够怎样处理呢?今天我们来聊一聊关于在Spring容器中获取Bean的话题🎃。

摘要

本文主要介绍Spring框架中Bean的获取相关知识,主要涉及 BeanFactoryListableBeanFactory两个接口中的方法,这两个接口也是Spring容器中的核心接口,其中定义了获取单个Bean和获取Bean集合的一些强大功能。

文章目录

  • 引言
  • 摘要
  • 正文
    • 常用的Bean获取方式
      • 自动注入
      • 主动获取
    • 安全的获取Bean
      • 安全的获取单个Bean
      • 安全的获取Bean列表
    • 获取Bean集合
      • 通过类型获取Bean集合
      • 通过注解获取Bean集合
      • 获取Bean上的注解
  • 总结

正文

在之前的文章中,我们介绍了Spring/SpringBoot中的Bean,而在使用Spring/SpringBoot框架开发应用程序的过程中,主要通过对Bean的操作来实现各种各样的功能,那么在Spring/SpringBoot中如何来获取一个或多个Bean,也是有讲究的,针对不同的Bean对象我们可以采取不同的获取方式,今天我们就来介绍一些常用的获取Bean的方式。

为了方便测试,在我们先定义几个bean以备使用

public class BeanDemo {private String name;private Long id;//省略getter,setter,toString方法
}public class PersonEntity {private String name;private int age;private Gender gender;//省略getter,setter,toString方法
}public enum Gender {MALE,FEMALE;
}

注册bean

public class ConfigDemo{	@Beanpublic PersonEntity zhangFei(){return PersonEntity.bornMale("zhang fei");}@Beanpublic PersonEntity guanyu(){return PersonEntity.bornMale("guan yu");}@Beanpublic PersonEntity liubei(){return PersonEntity.bornMale("liu bei");}@Beanpublic PersonEntity sunshangxiang(){return PersonEntity.bornFemale("sun shangxiang");}@Beanpublic BeanDemo tongquetai(){BeanDemo res = new BeanDemo();res.setId(1L);res.setName("tong que tai");return res;}
}

常用的Bean获取方式

自动注入

spring中最常见的Bean查找(获取)方式就是通过 @Autowired注解或 @Resource注解注入一个Bean,这两者的区别在于 @Autowired是Spring提供的注解,而 @Resource是JavaEE标准中提供的注解,两者的使用方式类似,详细对比如下

表:Autowired和Resource注解对比
对比@Autowired@Resource
提供方Spring2.5JavaEE标准库
是否可指定Bean名称否(结合@Qualifier注解可实现相同功能)
是否可指定Bean类型
官方建议不建议使用建议使用

以下代码说明了 @Autowired注解的基本功能

public class BeanLookupComponent implements ApplicationRunner {@Autowiredprivate BeanDemo beanDemo;@Overridepublic void run(ApplicationArguments args) throws Exception {System.out.println(beanDemo);}
}

注意这里 @Autowired只支持容器中只存在一个 BeanDemo类型的Bean的情况。如果存在多种同类型的Bean,需要结合 @Qualifier注解(注意:本文后续所有测试代码都在 BeanLookupComponent这个类中完成,因此部分代码就省略了)

@Qualifier("liubei")
@Autowired
private PersonEntity beanDemo;

相对的 @Resource注解的用法就要灵活的多

可以按类型注入,不指定Bean名称

private BeanDemo resourceBean;

当存在多个同类型的Bean时,可以通过指定名称明确使用哪一个Bean(也可以指定类型)

@Resource(name = "guanyu",type = PersonEntity.class)
private PersonEntity resourceBean;

主动获取

除此之外还可以通过 BeanFactory 接口的 getBean方法获取一个Bean,而 BeanFactory接口可以通过实现 BeanFactoryAware接口获取到。

public class BeanLookupComponent implements BeanFactoryAware {private BeanFactory beanFactory;@Overridepublic void setBeanFactory(BeanFactory beanFactory) throws BeansException {this.beanFactory=beanFactory;}
}

getBean方法是一系列的重载方法,可以实现按Bean的名称、类型获取到对应的bean,简单示例如下

@Override
public void run(ApplicationArguments args) throws Exception {//按名称获取Object liubei = beanFactory.getBean("liubei");//处理beanSystem.out.println(liubei);//按类型获取BeanDemo demo = beanFactory.getBean(BeanDemo.class);System.out.println(demo);//指定名称和类型(可自动转换类型)PersonEntity guanyu = beanFactory.getBean("guanyu", PersonEntity.class);System.out.println(guanyu);
}

以上这三种都是常用的获取Bean的API,但这几个API存在同样的问题,就是不能保证一定能获取到对应的Bean,为什么这么说呢?考虑以下几种情况

  1. 当没有配置名称为 liubei的bean,通过 getBean("liubei")方法能得到什么
  2. 按类型获取时,如果这个类型同时存在多个Bean,会得到什么结果

实际上,上边这两种做法都会报错

  1. 第一种情况,程序直接终止,提示 A component required a bean named '***' that could not be found.
  2. 第二种情况,抛出异常 NoUniqueBeanDefinitionException

安全的获取Bean

安全的获取单个Bean

除了上述几个获取Bean的API,Spring提供了 ObjectProvider<T>这一API能够相对安全的获取Bean,这里的安全意思是,当要获取的Bean不存在或存在多个时不会直接抛出异常。

对于只想获取一个Bean的情况可以采用如下方式

ObjectProvider<BeanDemo> beanProvider = beanFactory.getBeanProvider(BeanDemo.class);
BeanDemo uniqueBean = beanProvider.getIfUnique();
System.out.println(uniqueBean);

得到如下打印结果

DemoEntity{name='tong que tai', id=1}

当要获取的类型存在多个Bean时,下例中PersonEntity类型的Bean有多个

ObjectProvider<PersonEntity> personProvider = beanFactory.getBeanProvider(PersonEntity.class);
PersonEntity uniquePerson = personProvider.getIfUnique();
System.out.println(uniquePerson);

这是会返回一个空值,打印结果如下

null

当然,ObjectProvider也支持函数式编程的写法,上例的lambda等价写法如下

ObjectProvider<BeanDemo> beanProvider = beanFactory.getBeanProvider(BeanDemo.class);
beanProvider.ifUnique(demo-> System.out.println(demo));

安全的获取Bean列表

如果想获取到这一类型的全部Bean对象, ObjectProvider也是支持的,通过lambda表达式即可实现

ObjectProvider<PersonEntity> personProvider = beanFactory.getBeanProvider(PersonEntity.class);
personProvider.forEach(o-> System.out.println(o));

或者通过streamAPI进行其他操作,如

personProvider.stream().filter(o->o.getGender()== Gender.FEMALE).forEach(o-> System.out.println(o));

获取Bean集合

Spring提供了一些列根据类的名称获取对应类型的Bean名称的工具方法,这些方法都在 ListableBeanFactory接口中定义,同时在 DefaultListableBeanFactory类中提供了默认的实现,而一般情况下,我们通过实现 BeanFactoryAware接口而获得的 BeanFactory实际上就是 DefaultListableBeanFactory,因此这些方法可以直接使用。

通过类型获取Bean集合

根据类型获取所有Bean的名称可以这样做

if(beanFactory instanceof DefaultListableBeanFactory){DefaultListableBeanFactory listableBeanFactory = (DefaultListableBeanFactory) beanFactory;String[] beanNames = listableBeanFactory.getBeanNamesForType(PersonEntity.class);System.out.println(Arrays.toString(beanNames));
}

以上示例代码的打印结果为:

[zhangFei, guanyu, liubei, sunshangxiang]

getBeanNamesForType()方法还提供一个需要 ResolvableType类型的重载方法,用法类似

String[] beanNames2 = listableBeanFactory.getBeanNamesForType(ResolvableType.forType(PersonEntity.class));
System.out.println(Arrays.toString(beanNames2));

如果想直接获取到所有的Bean可以通过下面这个方法

Map<String, PersonEntity> beansOfType = listableBeanFactory.getBeansOfType(PersonEntity.class);
beansOfType.entrySet().forEach(entry-> System.out.println(entry.getKey() +" => "+entry.getValue().getName()));

这个方法获取到所有的 PersonEntity类型的Bean,并打印它们的姓名

zhangFei => zhang fei
guanyu => guan yu
liubei => liu bei
sunshangxiang => sun shangxiang

同时,getBeansOfType还存在一个重载方法,允许传入两个boolean的值,getBeansOfType(Class<T> type, boolean includeNonSingletons, boolean allowEagerInit),后两个boolean值的说明

  1. includeNonSingletons=>是否包括非单例的Bean,
  2. allowEagerInit=>是否提前初始化延迟加载的Bean。但是由于这里是获取Bean的操作,即便不允许提前初始化在这里也会被初始化

通过注解获取Bean集合

除此之外,ListableBeanFactory还提供根据注解获取对应的Bean名称或Bean对象的方法,下列方法用户获取所有通过 @Component注解注册的Bean

//根据注解获取Bean的名称
String[] beanAnnoNames = listableBeanFactory.getBeanNamesForAnnotation(Component.class);
System.out.println(Arrays.toString(beanAnnoNames));//根据注解获取Bean对象Map<Bean名称, Bean对象>
Map<String, Object> configBeans = listableBeanFactory.getBeansWithAnnotation(Component.class);
configBeans.entrySet().forEach((entry)->{System.out.println(entry.getKey()+" => "+entry.getValue().getClass());
});

以上代码的打印输出内容根据各自的配置不同,输出的内容也不同。注意,如果是Spring Boot项目输出的内容可能会比较多,因为SpringBoot为了方便开发内置注册了很多Bean。

我的输出内容是

[springNotesApplication, beanLookupComponent, appProperties, classPathProp, sourceProperties, org.springframework.boot.autoconfigure.context.PropertyPlaceholderAutoConfiguration, propertySourcesPlaceholderConfigurer, org.springframework.boot.autoconfigure.jmx.JmxAutoConfiguration, org.springframework.boot.autoconfigure.admin.SpringApplicationAdminJmxAutoConfiguration, org.springframework.boot.autoconfigure.aop.AopAutoConfiguration$ClassProxyingConfiguration, org.springframework.boot.autoconfigure.aop.AopAutoConfiguration, org.springframework.boot.autoconfigure.availability.ApplicationAvailabilityAutoConfiguration, org.springframework.boot.autoconfigure.context.ConfigurationPropertiesAutoConfiguration, org.springframework.boot.autoconfigure.context.LifecycleAutoConfiguration, org.springframework.boot.autoconfigure.info.ProjectInfoAutoConfiguration, org.springframework.boot.autoconfigure.task.TaskExecutionAutoConfiguration, org.springframework.boot.autoconfigure.task.TaskSchedulingAutoConfiguration]
springNotesApplication => class top.sunyog.spring.notes.SpringNotesApplication$$EnhancerBySpringCGLIB$$53408404
beanLookupComponent => class top.sunyog.spring.notes.auto.BeanLookupComponent
appProperties => class top.sunyog.spring.notes.prop.AppProperties
classPathProp => class top.sunyog.spring.notes.prop.ClassPathProp$$EnhancerBySpringCGLIB$$67bc2c5d
sourceProperties => class top.sunyog.spring.notes.prop.SourceProperties
org.springframework.boot.autoconfigure.context.PropertyPlaceholderAutoConfiguration => class org.springframework.boot.autoconfigure.context.PropertyPlaceholderAutoConfiguration
propertySourcesPlaceholderConfigurer => class org.springframework.context.support.PropertySourcesPlaceholderConfigurer
org.springframework.boot.autoconfigure.jmx.JmxAutoConfiguration => class org.springframework.boot.autoconfigure.jmx.JmxAutoConfiguration
org.springframework.boot.autoconfigure.admin.SpringApplicationAdminJmxAutoConfiguration => class org.springframework.boot.autoconfigure.admin.SpringApplicationAdminJmxAutoConfiguration
org.springframework.boot.autoconfigure.aop.AopAutoConfiguration$ClassProxyingConfiguration => class org.springframework.boot.autoconfigure.aop.AopAutoConfiguration$ClassProxyingConfiguration
org.springframework.boot.autoconfigure.aop.AopAutoConfiguration => class org.springframework.boot.autoconfigure.aop.AopAutoConfiguration
org.springframework.boot.autoconfigure.availability.ApplicationAvailabilityAutoConfiguration => class org.springframework.boot.autoconfigure.availability.ApplicationAvailabilityAutoConfiguration
org.springframework.boot.autoconfigure.context.ConfigurationPropertiesAutoConfiguration => class org.springframework.boot.autoconfigure.context.ConfigurationPropertiesAutoConfiguration
org.springframework.boot.autoconfigure.context.LifecycleAutoConfiguration => class org.springframework.boot.autoconfigure.context.LifecycleAutoConfiguration
org.springframework.boot.autoconfigure.info.ProjectInfoAutoConfiguration => class org.springframework.boot.autoconfigure.info.ProjectInfoAutoConfiguration
org.springframework.boot.autoconfigure.task.TaskExecutionAutoConfiguration => class org.springframework.boot.autoconfigure.task.TaskExecutionAutoConfiguration
org.springframework.boot.autoconfigure.task.TaskSchedulingAutoConfiguration => class org.springframework.boot.autoconfigure.task.TaskSchedulingAutoConfiguration

获取Bean上的注解

ListableBeanFactory还提供了一个可以获取到Bean上标注的注解的方法 findAnnotationOnBean(String beanName, Class annoType),这个方法需要传入一个Bean名称beanName和一个注解的类型annoType,获取到这个Bean上标注的annoType注解,这个方法对于需要在运行时获取到Bean的描述业务逻辑非常重要。使用方法如下:

Qualifier zhangFeiQualifier = listableBeanFactory.findAnnotationOnBean("zhangFei", Qualifier.class);
System.out.println(zhangFeiQualifier.value());

这里需要把名称为 zhangFei的Bean配置做一下修改

@Bean
@Qualifier(value = "zhang")
public PersonEntity zhangFei(){return PersonEntity.bornMale("zhang fei");
}

此时输出结果为

zhang

总结

今天主要介绍了在Spring中如何获取Bean,Spring框架的最主要的作用就是管理Bean,Spring容器中存在着大量的、各种类型的Bean对象,因此了解Spring中有哪些方式可以获取到这些Bean对象就显得十分重要。本文主要介绍了 BeanFactoryListableBeanFactory两个容器中的获取Bean的方法,这两个接口也是Spring中的核心接口很多类都是基于这两个接口而扩展出来的,包括 AbstractApplicationContextDefaultListableBeanFactory


📩 联系方式
邮箱: qijilaoli@foxmail.com
掘金: 奇迹老李
微信公众号:奇迹老李

❗版权声明
本文为原创文章,版权归作者所有。未经许可,禁止转载。更多内容请访问奇迹老李的博客首页

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/592013.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

启动springboot时报错 APPLICATION FAILED TO START 包冲突

启动springboot时报错 APPLICATION FAILED TO START 包冲突 problem 具体日志如下 *************************** APPLICATION FAILED TO START ***************************Description:An attempt was made to call a method that does not exist. The attempt was made fr…

关于大一上学期STM32培训的经验及教训(完全初学)

主要是写出来给要直接学习STM32的人的一些经验或者是教训以及踩坑点&#xff0c;我后续也会开始写STM32的一些我已经学会的基础性的初学者应用型教程&#xff08;如没有前置知识点亮LED&#xff0c;我会在这里说GPIO是个啥&#xff0c;怎么选口&#xff0c;怎么查手册等基础入门…

【docker】一文讲完docker基本概念

文章目录 一、什么是docker二、docker和虚拟机有什么区别三、docker基本概念1、镜像&#xff08;Image&#xff09;2、docker 容器&#xff08;container&#xff09;3、docker 仓库&#xff08;Repository&#xff09;4、dockerfile简介5、网络&#xff08;Network&#xff09…

[python]matplotlib

整体图示 .ipynb 转换md时候图片不能通知携带&#xff0c;所有图片失效&#xff0c;不过直接运行代码可以执行 figure figure,axes与axis import matplotlib.pyplot as plt figplt.figure() fig2plt.subplots() fig3,axsplt.subplots(2,2) plt.show()<Figure size 640x480 …

云原生学习系列之基础环境准备(虚拟机搭建)

最近由于工作需要开始学习云原生相关内容&#xff0c;为方便学习操作&#xff0c;准备在外网搭建自己的环境&#xff0c;然后进行相关的练习&#xff0c;搭建环境的第一步便是虚拟机的安装。 基础软件 这里我用到的是CentOS-7-x86_64的操作系统。 链接&#xff1a;https://pa…

dctcp 和 l4s tcp prague

时延的罪与罚。 dctcp 为 dcn 而生&#xff0c;专注于避免吞吐优先的长流阻塞延迟敏感的短流。在最坏情况下&#xff0c;没有任何额外队列规则辅助时&#xff0c;即使长流短流排入唯一的 fifo&#xff0c;也要能做到这点。 为此&#xff0c;必须由交换机辅助实现普遍低时延&a…

Eureka注册及使用

一、Eureka的作用 Eureka是一个服务注册与发现的工具&#xff0c;主要用于微服务架构中的服务发现和负载均衡。其主要作用包括&#xff1a; 服务提供者将自己注册到Eureka Server上&#xff0c;包括服务的地址和端口等信息。服务消费者从Eureka Server上获取服务提供者的地址…

Go(Golang)的10个常见代码片段用于各种任务

探索有用的Go编程代码片段 提供“前10名”Go&#xff08;Golang&#xff09;代码片段的明确列表是具有挑战性的&#xff0c;因为代码片段的实用性取决于您试图解决的具体问题。然而&#xff0c;我可以为您提供十个常用的Go代码片段&#xff0c;涵盖了各种任务和概念&#xff1…

【驱动序列】简单聊聊开发驱动程序的缘由和驱动程序基本信息

大家好&#xff0c;我是全栈小5&#xff0c;欢迎来到《小5讲堂》&#xff0c;这是《驱动程序》专栏序列文章。 这是2024年第4篇文章&#xff0c;此篇文章是结合了C#知识点实践序列文章&#xff0c;博主能力有限&#xff0c;理解水平有限&#xff0c;若有不对之处望指正&#xf…

树莓派4B-Python使用PyCharm的SSH协议在电脑上远程编辑程序

目录 前言一、pycharm的选择二、添加SSH的解释器使用总结 前言 树莓派的性能始终有限&#xff0c;不好安装与使用高级一点的程序编辑器&#xff0c;如果只用thonny的话&#xff0c;本人用得不习惯&#xff0c;还不如PyCharm&#xff0c;所以想着能不能用电脑中的pycharm来编写…

IO作业2.0

思维导图 1> 使用fread、fwrite完成两个文件的拷贝 #include <stdio.h> #include <string.h> #include <stdlib.h> int main(int argc, const char *argv[]) {if(argc ! 3) //判断外部参数 {printf("The terminal format is incorrect\n");r…

OpenGL FXAA抗锯齿算法(Qt,Consloe版本)

文章目录 一、简介二、实现代码三、实现效果参考资料一、简介 之前已经提供了使用VCG读取Mesh的方式,接下来就需要针对读取的网格数据进行一些渲染操作了。在绘制Mesh数据时总会遇到图形的抗锯齿问题,OpenGL本身已经为我们提供了一种MSAA技术,但该技术对于一些实时渲染性能有…

《C语言中的基石:库函数与自定义函数的深度解析与实践》

引言 各位少年&#xff0c;大家好。我是博主那一脸阳光。在深入探讨C语言编程的浩瀚世界时&#xff0c;我们会频繁接触到两大类函数——库函数和自定义函数。它们如同构建复杂程序大厦的砖石&#xff0c;各自发挥着不可替代的作用。本文将详尽介绍这两种函数的特点、使用方式以…

从零开发短视频电商 爬虫在爬取时注意 robots.txt 和 sitemap.xml

文章目录 1. robots.txt&#xff1a;2. sitemap.xml&#xff1a; 当我们爬取一个网站时&#xff0c;通常首先查看网站根目录下的两个重要文件&#xff1a; robots.txt 和 sitemap.xml。这两个文件提供了关于网站爬取行为和结构的重要信息。 1. robots.txt&#xff1a; robot…

计算机组成原理——冯诺依曼计算机硬件框图

存储器&#xff1a;存放数据和程序 运算器&#xff1a;算术运算和逻辑运算 控制器&#xff1a;指挥程序的运算 输入设备&#xff1a;将信息转化成机器能识别的形式 输出设备&#xff1a;将结果转化成人们熟悉的形式

Centos安装Kafka(KRaft模式)

1. KRaft引入 Kafka是一种高吞吐量的分布式发布订阅消息系统&#xff0c;它可以处理消费者在网站中的所有动作流数据。其核心组件包含Producer、Broker、Consumer&#xff0c;以及依赖的Zookeeper集群。其中Zookeeper集群是Kafka用来负责集群元数据的管理、控制器的选举等。 由…

使用Apache Commons SCXML实现状态机管理

第1章&#xff1a;引言 大家好&#xff0c;我是小黑&#xff0c;咱们程序员在开发过程中&#xff0c;经常会遇到需要管理不同状态和状态之间转换的场景。比如&#xff0c;一个在线购物的订单&#xff0c;它可能有“新建订单”、“已支付”、“配送中”、“已完成”等状态。在这…

[嵌入式AI从0开始到入土]9_yolov5在昇腾上推理

[嵌入式AI从0开始到入土]嵌入式AI系列教程 注&#xff1a;等我摸完鱼再把链接补上 可以关注我的B站号工具人呵呵的个人空间&#xff0c;后期会考虑出视频教程&#xff0c;务必催更&#xff0c;以防我变身鸽王。 第一章 昇腾Altas 200 DK上手 第二章 下载昇腾案例并运行 第三章…

uniapp运行到开发者工具中

uniapp 项目在微信开发者工具中运行&#xff0c;用于开发微信小程序。 微信 appid 获取地址&#xff1a;微信公众平台 运行到微信开发者工具中 一、进入微信公众平台、微信扫码登录、选择开发管理、选择开发设置、复制 appid 。 二、打开 manifest.json 配置文件、选择微信小…

居家康养领导品牌“颐家”完成B轮融资,商业化进程再加速

近日&#xff0c;颐家&#xff08;上海&#xff09;医疗养老服务有限公司&#xff08;以下称“颐家”“公司”&#xff09;宣布引入战略股东。此次融资额达数千万元人民币&#xff0c;资金将主要用于公司业务数智化升级及自费业务产品开发、团队扩展和业务渠道的开拓。本轮融资…