前言
在spring框架中,是无法在普通类中通过注解注入实例的,因为sping框架在启动的时候,就会将标明交给spring容器管理的类进行实例化,并梳理他们彼此的依赖关系,进行注入,没有交给spring容器管理的普通类,是不会进行注入的,即使你使用了注入的相关注解。这个时候,如果我们需要在普通类中获取spring容器中的实例,就需要一些特定的方法,这里将整理一下如何在springboot中实现这样的方法。
创建springboot工程demo
项目结构图示
项目结构说明
service包下为demo接口和实现类,添加@Service注解,标明交由spring框架管理实例。
test包下为测试用的普通类,测试获取实例的方法。
utils包下为自定义的获取spring容器中实例的方法。
工程代码
service
package com.demo.service;
public interface IDemoService {
String demo();
}
1
2
3
4
5
package com.demo.service.impl;
import com.demo.service.IDemoService;
import org.springframework.stereotype.Service;
@Service
public class DemoServiceImpl implements IDemoService {
@Override
public String demo() {
return "Hello World";
}
}
1
2
3
4
5
6
7
8
9
10
11
12
@Service注解标明了此实例交由spring容器管理
test
package com.demo.test;
import com.demo.service.IDemoService;
import com.demo.utils.BeanUtil;
public class Test {
public void test(){
//获取已经实例化的接口bean
IDemoService bean = BeanUtil.getBean(IDemoService.class);
//执行bean中方法
String demo = bean.demo();
//输出结果
System.out.println(demo);
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
utils
package com.demo.utils;
import org.springframework.context.ConfigurableApplicationContext;
public class BeanUtil {
//将管理上下文的applicationContext设置成静态变量,供全局调用
public static ConfigurableApplicationContext applicationContext;
//定义一个获取已经实例化bean的方法
public static <T> T getBean(Class<T> c){
return applicationContext.getBean(c);
}
}
1
2
3
4
5
6
7
8
9
10
11
12
启动类
package com.demo;
import com.demo.test.Test;
import com.demo.utils.BeanUtil;
import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.SpringBootApplication;
import org.springframework.context.ConfigurableApplicationContext;
@SpringBootApplication()
public class DemoApplication {
public static void main(String[] args) {
//run方法的返回值ConfigurableApplicationContext继承了ApplicationContext上下文接口
ConfigurableApplicationContext applicationContext = SpringApplication.run(DemoApplication.class, args);
//将run方法的返回值赋值给工具类中的静态变量
BeanUtil.applicationContext = applicationContext;
//测试获取已经实例化的接口bean,执行bean中方法
new Test().test();
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
测试效果
可以看到,test方法应成功获取DemoService接口实例,这里总结的是springboot工程在普通类获取sping容器中实例的方法,其原理和传统方法其实都是一样的,获取上下文环境,从上下文环境中拿到spring容器管理的实例。
————————————————
版权声明:本文为优快云博主「最爱猫被窝」的原创文章,遵循CC 4.0 BY-SA版权协议,转载请附上原文出处链接及本声明。
原文链接:https://blog.youkuaiyun.com/qq_26631651/article/details/89290856