Spring中资源的加载ResourceLoader

Spring中资源的加载是定义在ResourceLoader接口中的,它跟前面提到的抽象资源的关系如下:
在这里插入图片描述
ResourceLoader的源码

public interface ResourceLoader {  /** Pseudo URL prefix for loading from the class path: "classpath:" */  String CLASSPATH_URL_PREFIX = ResourceUtils.CLASSPATH_URL_PREFIX;  Resource getResource(String location);  ClassLoader getClassLoader();  }  

我们发现,其实ResourceLoader接口只提供了classpath前缀的支持。而classpath*的前缀支持是在它的子接口ResourcePatternResolver中。

public interface ResourcePatternResolver extends ResourceLoader {  /** * Pseudo URL prefix for all matching resources from the class path: "classpath*:" * This differs from ResourceLoader's classpath URL prefix in that it * retrieves all matching resources for a given name (e.g. "/beans.xml"), * for example in the root of all deployed JAR files. * @see org.springframework.core.io.ResourceLoader#CLASSPATH_URL_PREFIX */  String CLASSPATH_ALL_URL_PREFIX = "classpath*:";  Resource[] getResources(String locationPattern) throws IOException;  }  

通过2个接口的源码对比,我们发现ResourceLoader提供 classpath下单资源文件的载入,而ResourcePatternResolver提供了多资源文件的载入。
ResourcePatternResolver有一个实现类:PathMatchingResourcePatternResolver,那我们直奔主题,查看PathMatchingResourcePatternResolver的getResources()

public Resource[] getResources(String locationPattern) throws IOException {  Assert.notNull(locationPattern, "Location pattern must not be null");  //是否以classpath*开头  if (locationPattern.startsWith(CLASSPATH_ALL_URL_PREFIX)) {  //是否包含?或者*  if (getPathMatcher().isPattern(locationPattern.substring(CLASSPATH_ALL_URL_PREFIX.length()))) {  // a class path resource pattern  return findPathMatchingResources(locationPattern);  }  else {  // all class path resources with the given name  return findAllClassPathResources(locationPattern.substring(CLASSPATH_ALL_URL_PREFIX.length()));  }  }  else {  // Only look for a pattern after a prefix here  // (to not get fooled by a pattern symbol in a strange prefix).  int prefixEnd = locationPattern.indexOf(":") + 1;  //是否包含?或者*  if (getPathMatcher().isPattern(locationPattern.substring(prefixEnd))) {  // a file pattern  return findPathMatchingResources(locationPattern);  }  else {  // a single resource with the given name  return new Resource[] {getResourceLoader().getResource(locationPattern)};  }  }  }  

由此我们可以看出在加载配置文件时,以是否是以classpath*开头分为2大类处理场景,每大类在又根据路径中是否包括通配符分为2小类进行处理,
处理的流程图如下:

在这里插入图片描述
从上图看,整个加载资源的场景有三条处理流程

以classpath*开头,但路径不包含通配符的
让我们来看看findAllClassPathResources是怎么处理的

protected Resource[] findAllClassPathResources(String location) throws IOException {  String path = location;  if (path.startsWith("/")) {  path = path.substring(1);  }  Enumeration<URL> resourceUrls = getClassLoader().getResources(path);  Set<Resource> result = new LinkedHashSet<Resource>(16);  while (resourceUrls.hasMoreElements()) {  URL url = resourceUrls.nextElement();  result.add(convertClassLoaderURL(url));  }  return result.toArray(new Resource[result.size()]);  
}  

我们可以看到,最关键的一句代码是:Enumeration resourceUrls = getClassLoader().getResources(path);

public ClassLoader getClassLoader() {  return getResourceLoader().getClassLoader();  }  public ResourceLoader getResourceLoader() {  return this.resourceLoader;  }  //默认情况下  
public PathMatchingResourcePatternResolver() {  this.resourceLoader = new DefaultResourceLoader();  }  

其实上面这3个方法不是最关键的,之所以贴出来,是让大家清楚整个调用链,其实这种情况最关键的代码在于ClassLoader的getResources()方法。那么我们同样跟进去,看看源码

public Enumeration<URL> getResources(String name) throws IOException {  
Enumeration[] tmp = new Enumeration[2];  
if (parent != null) {  tmp[0] = parent.getResources(name);  
} else {  tmp[0] = getBootstrapResources(name);  
}  
tmp[1] = findResources(name);  return new CompoundEnumeration(tmp);  }  

是不是一目了然了?当前类加载器,如果存在父加载器,则向上迭代获取资源, 因此能加到jar包里面的资源文件。

不以classpath*开头,且路径不包含通配符的
处理逻辑如下

return new Resource[] {getResourceLoader().getResource(locationPattern)};  

上面我们已经贴过getResourceLoader()的逻辑了, 即默认是DefaultResourceLoader(),那我们进去看看getResouce()的实现

public Resource getResource(String location) {  Assert.notNull(location, "Location must not be null");  if (location.startsWith(CLASSPATH_URL_PREFIX)) {  return new ClassPathResource(location.substring(CLASSPATH_URL_PREFIX.length()), getClassLoader());  }  else {  try {  // Try to parse the location as a URL...  URL url = new URL(location);  return new UrlResource(url);  }  catch (MalformedURLException ex) {  // No URL -> resolve as resource path.  return getResourceByPath(location);  }  }  
}  

其实很简单,如果以classpath开头,则创建为一个ClassPathResource,否则则试图以URL的方式加载资源,创建一个UrlResource.
路径包含通配符的
这种情况是最复杂的,涉及到层层递归,那我把加了注释的代码发出来大家看一下,其实主要的思想就是
1.先获取目录,加载目录里面的所有资源
2.在所有资源里面进行查找匹配,找出我们需要的资源

protected Resource[] findPathMatchingResources(String locationPattern) throws IOException {  //拿到能确定的目录,即拿到不包括通配符的能确定的路径  比如classpath*:/aaa/bbb/spring-*.xml 则返回classpath*:/aaa/bbb/                                     //如果是classpath*:/aaa/*/spring-*.xml,则返回 classpath*:/aaa/  String rootDirPath = determineRootDir(locationPattern);  //得到spring-*.xml  String subPattern = locationPattern.substring(rootDirPath.length());  //递归加载所有的根目录资源,要注意的是递归的时候又得考虑classpath,与classpath*的情况,而且还得考虑根路径中是否又包含通配符,参考上面那张流程图  Resource[] rootDirResources = getResources(rootDirPath);  Set<Resource> result = new LinkedHashSet<Resource>(16);  //将根目录所有资源中所有匹配我们需要的资源(如spring-*)加载result中  for (Resource rootDirResource : rootDirResources) {  rootDirResource = resolveRootDirResource(rootDirResource);  if (isJarResource(rootDirResource)) {  result.addAll(doFindPathMatchingJarResources(rootDirResource, subPattern));  }  else if (rootDirResource.getURL().getProtocol().startsWith(ResourceUtils.URL_PROTOCOL_VFS)) {  result.addAll(VfsResourceMatchingDelegate.findMatchingResources(rootDirResource, subPattern, getPathMatcher()));  }  else {  result.addAll(doFindPathMatchingFileResources(rootDirResource, subPattern));  }  }  if (logger.isDebugEnabled()) {  logger.debug("Resolved location pattern [" + locationPattern + "] to resources " + result);  }  return result.toArray(new Resource[result.size()]);  }  

值得注解一下的是determineRootDir()方法的作用,是确定根目录,这个根目录必须是一个能确定的路径,不会包含通配符。如果classpath*:aa/bb*/spring-.xml,得到的将是classpath:aa/ 可以看下他的源码

protected String determineRootDir(String location) {  int prefixEnd = location.indexOf(":") + 1;  int rootDirEnd = location.length();  while (rootDirEnd > prefixEnd && getPathMatcher().isPattern(location.substring(prefixEnd, rootDirEnd))) {  rootDirEnd = location.lastIndexOf('/', rootDirEnd - 2) + 1;  }  if (rootDirEnd == 0) {  rootDirEnd = prefixEnd;  }  return location.substring(0, rootDirEnd);  
}  

分析到这,结合测试我们可以总结一下:
1.无论是classpath还是classpath都可以加载整个classpath下(包括jar包里面)的资源文件。
2.classpath只会返回第一个匹配的资源,查找路径是优先在项目中存在资源文件,再查找jar包。
3.文件名字包含通配符资源(如果spring-
.xml,spring*.xml), 如果根目录为"", classpath加载不到任何资源, 而classpath则可以加载到classpath中可以匹配的目录中的资源,但是不能加载到jar包中的资源
在这里插入图片描述
classpath:notice
.txt 加载不到资源
classpath*:notice*.txt 加载到resource根目录下notice.txt
classpath:META-INF/notice*.txt 加载到META-INF下的一个资源(classpath是加载到匹配的第一个资源,就算删除classpath下的notice.txt,他仍然可以 加载jar包中的notice.txt)
classpath:META-/notice.txt 加载不到任何资源
classpath*:META-INF/notice*.txt 加载到classpath以及所有jar包中META-INF目录下以notice开头的txt文件
classpath*:META-/notice.txt 只能加载到classpath下 META-INF目录的notice.txt

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

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

相关文章

Codeforces Round #540 (Div. 3)(部分题解)

链接:http://codeforces.com/contest/1118 来源:Codeforces 文章目录A. Water BuyingB. Tanya and Candies(前缀和)D1. Coffee and Coursework (Easy version)(贪心)D2. Coffee and Coursework (Hard Version)(二分)A. Water Buying 题意:用最小的花费买到刚好合适的东西.我们可…

集合一些方法陷阱

一&#xff1a;asList 数组转ArrayList陷阱&#xff1a; asList() 源码&#xff1a;public static <T> List<T> asList(T... a) { return new ArrayList<T>(a); } private final E[] a; ArrayList(E[] array) { if (arraynull) throw new NullPointerExcept…

java项目中的classpath

在java项目中&#xff0c;你一定碰到过classpath&#xff0c;通常情况下&#xff0c;我们是用它来指定配置/资源文件的路径。在刚开始学习的时候&#xff0c;自己也糊里糊涂&#xff0c;但是现在&#xff0c;是时候弄清楚它到底是指什么了。 顾名思义&#xff0c;classpath就是…

C++命名空间(namespace)

在c中&#xff0c;名称&#xff08;name&#xff09;可以是符号常量、变量、函数、结构、枚举、类和对象等等。工程越大&#xff0c;名称互相冲突性的可能性越大。另外使用多个厂商的类库时&#xff0c;也可能导致名称冲突。为了避免&#xff0c;在大规模程序的设计中&#xff…

P1556 幸福的路

题意&#xff1a;平面内有N头牛$N\le 10$john从&#xff08;0,0&#xff09;出发&#xff0c;最后回到(0,0) 只有走到牛那里john才可以改变方向&#xff0c;否则沿着直线走 问john经过每一头牛并且在每一头牛出恰好改变方向一次的方案&#xff08;牛可以经过多次&#xff0c;但…

Class.getResource和ClassLoader.getResource

一案例驱动 二源码分析 三类加载器ClassLoader 四总结 五参考 一案例驱动 最近加载文件的时候遇到了一个问题&#xff0c;很有意思&#xff01; 具体看下面案例代码 public class TestClassLoader {public static void main(String[] args) {System.out.println(TestClassLoad…

spring-6、动态代理(cglib 与 JDK)

JDK动态代理与Cglib动态代理 JDK动态代理: 1.能够继承静态代理的全部优点.并且能够实现代码的复用.2.动态代理可以处理一类业务.只要满足条件 都可以通过代理对象进行处理.3.动态代理的灵活性不强.4.JDK 的动态代理要求代理者必须实现接口, , 否则不能生成代理对象. . 1 packag…

JDK安装与配置(Windows 7系统)

1.前言 安装之前需弄清JDK、JRE、JVM这几个概念&#xff0c;不然稀里糊涂不知道自己在装什么。 &#xff08;1&#xff09;什么是java环境&#xff1a;我们知道&#xff0c;想听音乐就要安装音乐播放器&#xff0c;想看图片需要安装图片浏览器&#xff0c;同样道理&#xff0c;…

UVA839

这道题又是一道递归的题目 先贴上代码 //这种没有明确说个数的动态分配还是得用new #include<cstdio> #include<iostream> using namespace std; struct mobile {int WL,DL,WR,DR;mobile *left,*right;mobile(mobile *aNULL,mobile*bNULL):left(a),right(b){} }; m…

Thread.getContextClassLoader与Thread.getClassLoader()区别

在阅读spring boot启动时候的源码中&#xff0c;发现获取classLoader使用的是getContextClassLoader于是乎产生了疑问&#xff0c;这种获取ClassLoader的方式与我们最常见的通过Class.getClassLoader二者有什么区别&#xff1f;都是在什么场景下使用呢&#xff1f; 首先来看看…

ssl 的jks 生成工具

https://www.myssl.cn/tools/merge-jks-cert.html 通过key 私钥 &#xff0c;和公钥pem 生成jks 转载于:https://www.cnblogs.com/vana/p/9594298.html

NOIP模拟赛10 题解

t3&#xff1a; 题意 给你一棵树&#xff0c;然后每次两种操作&#xff1a;1.给一个节点染色 &#xff1b; 2. 查询一个节点与任意已染色节点 lca 的权值的最大值 分析 考虑一个节点被染色后的影响&#xff1a;令它的所有祖先节点&#xff08;包括自身&#xff09;的所有除去更…

洛谷 P1136 迎接仪式 解题报告

P1136 迎接仪式 题目描述 LHX教主要来X市指导OI学习工作了。为了迎接教主&#xff0c;在一条道路旁&#xff0c;一群Orz教主er穿着文化衫站在道路两旁迎接教主&#xff0c;每件文化衫上都印着大字。一旁的Orzer依次摆出“欢迎欢迎欢迎欢迎……”的大字&#xff0c;但是领队突然…

spring源码分析-core.io包里面的类

前些日子看《深入理解javaweb开发》时&#xff0c;看到第一章java的io流&#xff0c;发觉自己对io流真的不是很熟悉。然后看了下JDK1.7中io包的一点点代码&#xff0c;又看了org.springframework.core.io包的一些类和组织方式&#xff0c;当作是学习吧。总结一下。 先挂下spri…

对类Vue的MVVM前端库的实现

关于实现MVVM&#xff0c;网上实在是太多了&#xff0c;本文为个人总结&#xff0c;结合源码以及一些别人的实现 关于双向绑定 vue 数据劫持 订阅 - 发布ng 脏值检查backbone.js 订阅-发布(这个没有使用过&#xff0c;并不是主流的用法)双向绑定&#xff0c;从最基本的实现来说…

java.util.prefs.Preferences

我们经常需要将我们的程序中的设定&#xff0c;如窗口位置&#xff0c;开启过的文件&#xff0c;用户的选项设定等数据记录下来&#xff0c;以做便用户下一次开启程序能继续使用这些数据。 以前我们通常的做法是使用Properties类&#xff0c;它提供以下方法: void load(InputS…

django的母板系统

一.母板渲染语法 1.变量 {{ 变量 }} 2.逻辑 {% 逻辑语 %} 二.变量 在母板中有变量时,母板引擎会去反向解析找到这个传来的变量,然后替换掉. .(点),在母板中是深度查询据点符,它的查询顺序: 字典 > 属性或方法 > 数字索引 三.过滤器 1.语法 {{ value|filter_name:参数}} 2…

python学习总结----时间模块 and 虚拟环境(了解)

python学习总结----时间模块 and 虚拟环境&#xff08;了解&#xff09; time- sleep&#xff1a;休眠指定的秒数(可以是小数) - time&#xff1a;获取时间戳# 获取时间戳(从1970-01-01 00:00:00到此刻的秒数)t time.time()print(t) - localtime&#xff1a;将时间戳转换为对象…

【CSS】flex的常用布局

1、垂直居中&#xff0c;写在父级上div{display: flex;justify-content: center;align-items: center; } 2、flex-左右两端&#xff0c;垂直居中该布局在移动端较为常见<style> .wrap{display: flex;justify-content: space-between;align-items: center;width: 200px;he…

java.util.Properties

ava.util.Properties是对properties这类配置文件的映射。支持key-value类型和xml类型两种 首先&#xff0c;新建一个文件&#xff0c;如图&#xff1a; 然后再Java代码段输入如下代码&#xff1a; import java.io.FileInputStream; import java.io.InputStream; import java…