位置: IT常识 - 正文

【Spring Boot】SpringBoot设计了哪些可拓展的机制?(spring boot s)

编辑:rootadmin
【Spring Boot】SpringBoot设计了哪些可拓展的机制? 文章目录前言SpringBoot核心源码拓展Initializer拓展监听器ApplicationListenerBeanFactory的后置处理器 & Bean的后置处理器AOP其他的拓展点前言 当我们引入注册中心的依赖,比如nacos的时候,当我们启动springboot,这个服务就会根据配置文件自动注册到注册中心中,这个动作是如何完成的? 注册中心使用了SpringBoot中的事件监听机制,在springboot初始化的时候完成服务注册SpringBoot核心源码public SpringApplication(ResourceLoader resourceLoader, Class<?>... primarySources) { ... this.primarySources = new LinkedHashSet(Arrays.asList(primarySources)); // Servlet this.webApplicationType = WebApplicationType.deduceFromClasspath(); this.bootstrapRegistryInitializers = new ArrayList(this.getSpringFactoriesInstances(BootstrapRegistryInitializer.class)); // 注意这里,Initializers this.setInitializers(this.getSpringFactoriesInstances(ApplicationContextInitializer.class)); // 注意这里 Listeners this.setListeners(this.getSpringFactoriesInstances(ApplicationListener.class)); this.mainApplicationClass = this.deduceMainApplicationClass(); }

推荐整理分享【Spring Boot】SpringBoot设计了哪些可拓展的机制?(spring boot s),希望有所帮助,仅作参考,欢迎阅读内容。

文章相关热门搜索词:spring boot poi,spring boot 揭秘,spring boot s,spring spring boot,spring-boot-actuator,spring boot+ssm,spring spring boot,spring boot spi,内容如对您有帮助,希望把文章链接给更多的朋友!

我们可以看到空的SpringBoot项目有一些initializers以及一些listeners

注意这两行,换言之我们只要实现这两个类就可以自定义拓展SpringBoot了!

这里和手写Starter都是对SpringBoot的拓展,有兴趣的小伙伴可以看这篇文章

拓展Initializer

再看这张图

我们需要研究一下ApplicationContextInitializer这个类:

@FunctionalInterfacepublic interface ApplicationContextInitializer<C extends ConfigurableApplicationContext> { /** * Initialize the given application context. * @param applicationContext the application to configure */ void initialize(C applicationContext); }

这样就很清晰了,我们尝试手写一个继承类:

public class DemoInitializer implements ApplicationContextInitializer { @Override public void initialize(ConfigurableApplicationContext applicationContext) { System.out.println("自定义初始化器执行..."); ConfigurableEnvironment environment = applicationContext.getEnvironment(); Map<String, Object> map = new HashMap<>(1); map.put("name", "sccccc"); environment.getPropertySources().addLast(new MapPropertySource("DemoInitializer", map)); System.out.println("DemoInitializer execute, and add some property"); } }

通过SPI机制将自定义初始化器交给list集合initializers

然后再debug,就会发现:

【Spring Boot】SpringBoot设计了哪些可拓展的机制?(spring boot s)

最后经过一次回调:

private void prepareContext(DefaultBootstrapContext bootstrapContext, ConfigurableApplicationContext context, ... applyInitializers(context); ... // Add boot specific singleton beans 下面是beanFactory的操作

遍历所有的初始化器,然后

/*** Apply any {@link ApplicationContextInitializer}s to the context before it is * refreshed. * @param context the configured ApplicationContext (not refreshed yet) * @see ConfigurableApplicationContext#refresh() */ @SuppressWarnings({ "rawtypes", "unchecked" }) protected void applyInitializers(ConfigurableApplicationContext context) { for (ApplicationContextInitializer initializer : getInitializers()) { Class<?> requiredType = GenericTypeResolver.resolveTypeArgument(initializer.getClass(), ApplicationContextInitializer.class); Assert.isInstanceOf(requiredType, context, "Unable to call initializer."); initializer.initialize(context); } }

流程:

拓展监听器ApplicationListener

@FunctionalInterfacepublic interface ApplicationListener<E extends ApplicationEvent> extends EventListener { /** * Handle an application event. */ void onApplicationEvent(E event); /** * Create a new {@code ApplicationListener} for the given payload consumer. */ static <T> ApplicationListener<PayloadApplicationEvent<T>> forPayload(Consumer<T> consumer) { return event -> consumer.accept(event.getPayload()); } }

这里和上面initializer一样,就不演示了

BeanFactory的后置处理器 & Bean的后置处理器

Spring Boot解析配置成BeanDefinition的操作在invokeBeanFactoryPostProcessors方法中 自定义BeanFactory的后置处理器:

@Componentpublic class MyBeanFactoryPostProcessor implements BeanFactoryPostProcessor { @Override public void postProcessBeanFactory(ConfigurableListableBeanFactory beanFactory) throws BeansException { Arrays.asList(beanFactory.getBeanDefinitionNames()) .forEach(beanDefinitionName -> System.out.println(beanDefinitionName)); System.out.println("BeanFactoryPostProcessor..."); }}

自定义Bean的后置处理器:

@Componentpublic class MyBeanPostProcessor implements BeanPostProcessor { @Override public Object postProcessBeforeInitialization(Object bean, String beanName) throws BeansException { if(beanName.equals("userController")){ System.out.println("找到了userController: "+bean); } return null; }}AOP

这个相信大家用的比较多,可以自定义切面:

@Aspect@Componentpublic class LogAspect {// 切入点 Pointcut 可以对Service服务做切面@Pointcut("execution(* com.example.service.*.*(..))")public void mypointcut(){}// 前置通知@Before(value = "mypointcut()")public void before(JoinPoint joinPoint){ System.out.println("[前置通知] 准备开始记录日志..."); System.out.println("[前置通知] 目标类是: "+joinPoint.getTarget()); System.out.println("[前置通知] 目标方法是: "+joinPoint.getSignature().getName());}// 后置通知@AfterReturning(value = "mypointcut()")public void afterReturning(JoinPoint joinPoint){ System.out.println("[后置通知] 记录日志完成..."); System.out.println("[后置通知] 目标类是: "+joinPoint.getTarget()); System.out.println("[后置通知] 目标方法是: "+joinPoint.getSignature().getName());}/*@Around(value = "mypointcut()")public void around(ProceedingJoinPoint joinPoint){ System.out.println("[环绕通知] 日志记录前的操作..."); try { joinPoint.proceed(); System.out.println("[环绕通知] 日志记录后的操作..."); System.out.println("[环绕通知] "+joinPoint.getTarget()); System.out.println("[环绕通知] "+joinPoint.getSignature().getName()); } catch (Throwable throwable) { System.out.println("[环绕通知] 发生异常的操作..."); throwable.printStackTrace(); }finally { ... }}其他的拓展点Banner

方法地址: printBanner(env)->bannerPrinter.print->SpringBootBanner#printBanner 可以在resource目录下建立banner.txt文件夹实现自定义Banner

Runners

流程:

自定义:

@Componentpublic class JackApplicationRunner implements ApplicationRunner { @Override public void run(ApplicationArguments args) throws Exception { System.out.println("JackApplicationRunner..."); }}
本文链接地址:https://www.jiuchutong.com/zhishi/300352.html 转载请保留说明!

上一篇:OpenAI GPT-3模型详解(gpt3 模型大小)

下一篇:浅谈DNS域名解析的过程(dns域名解析两种方式)

  • 企业在异地设立的办事处撤销了,人员咋办
  • 什么叫关税完税价
  • 企业计提增值税 附加税
  • 本月发生费用未支付会计处理
  • 入账价值 入账成本 入账金额
  • 补发工资怎么补发
  • 如何查询对方是不是一般纳税人
  • 月中入职新公司社保谁交
  • 个体工商户定期定额核定
  • 事业单位固定资产入账标准最新规定
  • 存货占营业收入的意义
  • 季度所得税从业人员怎么填
  • 转移性支出主要影响社会的什么领域
  • 企业降低存货成本的途径和方法
  • 修理办公用复印机好吗
  • 办理产权证费用明细
  • 股东退股分红怎么拿回
  • 增值税发票备注栏怎么填写
  • 会计增长知识方面
  • 计提工资需要工资表吗
  • 通信服务费计入什么科目
  • 如何判断境内企业所得税
  • 新成立的公司季报
  • 暂估成本冲回之后成本变为负的
  • 集体房产证如何分割
  • 商品期货交易会计核算
  • 购买法下购买成本包括
  • 公司账上没车可以报车辆保险吗
  • 非金融企业向金融企业借款的利息
  • 小规模纳税人买车可以抵税吗
  • 普通发票用记账吗
  • 微软和google
  • 招待费如何列支
  • 银行的贷款怎么发放
  • linux操作系统为用户提供的接口为
  • querywrapper多表联查
  • ieee下载论文
  • 瑞吉接送
  • 长期待摊费用装修费摊销年限
  • 使用van-picker 动态设置当前选中项
  • 增值税附加税的计算基数
  • 当月计提的公积金怎么取
  • 企业销售旧固定资产税票开票
  • 固定资产处置营业外支出
  • 现金流量表第四个期初现金余额怎么填
  • 发票明细太多怎么设置见清单
  • 出口业务的会计处理
  • 让渡资产使用权收入什么意思
  • 事业单位人员收受财物
  • 基础电信是什么
  • 建筑公司租赁设备怎么入账
  • 茶叶企业所得税减免
  • 如何降低应收账款成本
  • 长期挂账的往来款税务处理
  • 开办费列支范围
  • 去年的账科目记错了怎么办
  • 设备5年直线法计提折旧怎么做?
  • 其他流动资产是
  • mysql 免安装版
  • 重装系统注册表会重置吗
  • win10windows更新
  • windowsxp如何隐藏文件
  • linux用中文怎么说
  • win10怎么设置宽带连接上网
  • xp系统优化的方法
  • 如何修改apache
  • windows8.1的设置在哪
  • linux如何使用
  • win10登录界面壁纸
  • Bullet(cocos2dx)学习制作桌球游戏之前期准备
  • autorun病毒怎么清理
  • js cookie用法
  • nodejs中向HTTP响应传送进程的输出
  • 在javascript中如何定义并调用函数
  • 广东省社保局打印参保缴费凭证
  • 关于地税代收工会经费工作实施办法
  • 银川到大武口的汽车站时刻表
  • 广东省国家税务总局电子税务局
  • 河南三门峡税务社保缴费电话
  • 社保每个月都要交吗,不交了会怎么样
  • 免责声明:网站部分图片文字素材来源于网络,如有侵权,请及时告知,我们会第一时间删除,谢谢! 邮箱:opceo@qq.com

    鄂ICP备2023003026号

    网站地图: 企业信息 工商信息 财税知识 网络常识 编程技术

    友情链接: 武汉网站建设