Springboot jar运行时,将jar内的文件拷贝到文件系统中

背景

因为执行需要,需要把jar内templates文件夹下的的文件夹及文件加压到宿主机器的某个路径下, 以便执行对应的脚本文件

PS: 通过类加载器等方式,直接getFile遍历文件,在idea中运行是没问题的,但是当打包成jar运行就会出现问题,因为jar内文件的路径不是真实路径,会出现异常

java.io.FileNotFoundException: class path resource [xxx/xxx/] cannot be resolved to absolute file path because it does not reside in the file system: jar:file:xxx.jar!/BOOT-INF/classes!/xxx/xxx

方式一 

知道文件名的情况下,无需一层一层的遍历,将文件路径都指定好,然后根据流文件拷贝

package com.aimsphm.practice;import lombok.extern.slf4j.Slf4j;
import com.google.common.collect.Lists;
import org.apache.commons.io.FileUtils;
import org.springframework.beans.factory.annotation.Value;
import org.springframework.boot.SpringApplication;
import org.springframework.util.ObjectUtils;import javax.annotation.PostConstruct;
import java.io.File;
import java.io.IOException;
import java.io.InputStream;
import java.net.URL;
import java.util.List;@Component
public class App {public static void main(String[] args) {SpringApplication.run(App.class, args);}@Value("${customer.config.data-root:/usr/data/}")private String dataRoot;@PostConstructpublic void initDatabase() {dataRoot = dataRoot.endsWith("/") ? dataRoot : dataRoot + "/";List<String> fileList = getFiles();fileList.stream().filter(x -> !ObjectUtils.isEmpty(x)).forEach(x -> {try {URL resource = App.class.getClassLoader().getResource(x);InputStream inputStream = resource.openStream();if (ObjectUtils.isEmpty(inputStream)) {return;}File file = new File(dataRoot + x);if (!file.exists()) {FileUtils.copyInputStreamToFile(inputStream, file);}} catch (IOException e) {log.error("失败:",e)}});}private List<String> getFiles() {return Lists.newArrayList("db/practice.db","local-data/0/p-1.jpg","local-data/0/p-2.jpg","local-data/0/p-3.jpg","local-data/0/p-4.jpg","local-data/1/meter-1.png","local-data/-1/yw-1.png","local-data/sound/test.txt","local-data/multi/1/meter-multi.jpg","local-data/multi/-1/yewei.png","");}
}

方式二

通过resource的方式,获取文件的描述信息,然后根据描述信息,获取文件的路径信息,然后通过拷贝流文件,将文件最终拷贝到指定的路径下

package com.example.demo.test;import lombok.extern.slf4j.Slf4j;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
import org.springframework.core.io.support.ResourcePatternResolver;
import org.springframework.stereotype.Component;import java.io.File;
import java.io.FileOutputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;/*** 复制resource文件、文件夹** @author MILLA*/
@Component
@Slf4j
public class JarFileUtil {public void copyFolderFromJar() throws IOException {this.copyFolderFromJar("templates", "/usr/data/files");}/*** 复制path目录下所有文件到指定的文件系统中** @param path    文件目录 不能以/开头* @param newPath 新文件目录*/public void copyFolderFromJar(String path, String newPath) throws IOException {path = preOperation(path, newPath);ResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();//获取所有匹配的文件(包含根目录文件、子目录、子目录下的文件)Resource[] resources = resolver.getResources("classpath:" + path + "/**");//打印有多少文件for (Resource resource : resources) {//文件名//以jar包运行时,不能使用resource.getFile()获取文件路径、判断是否为文件等,会报错://java.io.FileNotFoundException: class path resource [xxx/xxx/] cannot be resolved to absolute file path because it does not reside in the file system: jar:file:xxx.jar!/BOOT-INF/classes!/xxx/xxx//文件路径//file [/xxx/xxx]String description = resource.getDescription();description = description.replace("\\", "/");description = description.replace(path, "/");//保留 /xxx/xxxdescription = description.replaceAll("(.*\\[)|(]$)", "").trim();//以“文件目录”进行分割,获取文件相对路径//获取文件相对路径,/xxx/xxx//新文件路径String newFilePath = newPath + "/" + description;if (newFilePath.endsWith("/")) {File file = new File(newFilePath);//文件夹if (file.exists()) {boolean mkdir = file.mkdir();log.debug("路径[{}]创建是否成功状态:{} ", newFilePath, mkdir);}} else {//文件InputStream stream = resource.getInputStream();write2File(stream, newFilePath);}}}/*** 文件预处理** @param path    原文件路径* @param newPath 目标路径* @return 新的路径字符串*/private static String preOperation(String path, String newPath) {if (!new File(newPath).exists()) {boolean mkdir = new File(newPath).mkdir();log.debug("路径[{}]创建是否成功状态:{} ", newPath, mkdir);}if (path.contains("\\")) {path = path.replace("\\", "/");}//保证没有重复的/出现path = path.replaceAll("(?<!\\G/|[^/])/+", "");if (path.startsWith("/")) {//以/开头,去掉/path = path.substring(1);}if (path.endsWith("/")) {//以/结尾,去掉/path = path.substring(0, path.length() - 1);}return path;}/*** 输入流写入文件** @param is       输入流* @param filePath 文件保存目录路径* @throws IOException IOException*/public static void write2File(InputStream is, String filePath) throws IOException {File destFile = new File(filePath);File parentFile = destFile.getParentFile();boolean mkdirs = parentFile.mkdirs();log.debug("路径[{}]创建是否成功状态:{} ", filePath, mkdirs);if (!destFile.exists()) {boolean newFile = destFile.createNewFile();log.debug("路径[{}]创建是否成功状态:{} ", destFile.getPath(), newFile);}OutputStream os = new FileOutputStream(destFile);int len = 8192;byte[] buffer = new byte[len];while ((len = is.read(buffer, 0, len)) != -1) {os.write(buffer, 0, len);}os.close();is.close();}public static void main(String[] args) throws IOException {//文件夹复制String path = "templates";String newPath = "D:/tmp";new JarFileUtil().copyFolderFromJar(path, newPath);}}

 如果开发中使用一些文件操作依赖,可简化代码如下

<!--文件依赖 --> 
<dependency><groupId>commons-fileupload</groupId><artifactId>commons-fileupload</artifactId><version>1.3.3</version></dependency>

 

package com.example.demo.test;import lombok.extern.slf4j.Slf4j;
import org.apache.commons.io.FileUtils;
import org.springframework.core.io.Resource;
import org.springframework.core.io.support.PathMatchingResourcePatternResolver;
import org.springframework.core.io.support.ResourcePatternResolver;
import org.springframework.stereotype.Component;import javax.annotation.PostConstruct;
import java.io.File;/*** <p>* 功能描述:* </p>** @author MILLA* @version 1.0* @since 2024/05/31 16:30*/
@Slf4j
@Component
public class JarFileUtil{public static void main(String[] args) {JarFileUtilinit = new JarFileUtil();init.copyFile2Temp("//templates//shell//", "/usr/data/shell/files");}@PostConstructpublic void copyFile2Temp() {}public void copyFile2Temp(String source, String target) {try {source = preOperation(source, target);ResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();Resource[] resources = resolver.getResources(source + "/**");for (int i = 0; i < resources.length; i++) {Resource resource = resources[i];
//                resource.getFile() jar运行时候不能用该方法获取文件,因为jar的路径不对String description = resource.getDescription();description = description.replace("\\", "/");description = description.replace(source, "/");//保留 /xxx/xxxdescription = description.replaceAll("(.*\\[)|(]$)", "").trim();//以“文件目录”进行分割,获取文件相对路径//获取文件相对路径,/xxx/xxx//新文件路径String newFilePath = target + File.separator + description;File file = new File(newFilePath);if (newFilePath.endsWith("/")) {boolean mkdirs = file.mkdirs();log.debug("路径[{}]创建是否成功状态:{} ", newFilePath, mkdirs);} else {FileUtils.copyInputStreamToFile(resource.getInputStream(), file);}}} catch (Exception e) {log.error("文件拷贝异常:", e);}}private static String preOperation(String source, String target) {if (!new File(target).exists()) {boolean mkdir = new File(target).mkdir();log.debug("路径[{}]创建是否成功状态:{} ", target, mkdir);}if (source.contains("\\")) {source = source.replace("\\", "/");}//保证没有重复的/出现source = source.replaceAll("(?<!\\G/|[^/])/+", "");if (source.startsWith("/")) {//以/开头,去掉/source = source.substring(1);}if (source.endsWith("/")) {//以/结尾,去掉/source = source.substring(0, source.length() - 1);}return source;}
}

 

 通过这种方式,就能将正在运行的jar中的文件,拷贝到指定的路径下,记录备查

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

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

相关文章

金融科技重塑跨境支付:创新引领全球支付新纪元

一、引言 随着全球化的加速和科技的飞速发展,跨境支付作为国际贸易的“血脉”,正经历着前所未有的变革。金融科技以其强大的创新能力和技术支撑,正在重塑跨境支付领域的格局,推动全球支付行业向更加高效、安全、便捷的方向发展。本文将深入探讨金融科技如何引领跨境支付的创…

【Mongodb】Mongodb亿级数据性能测试和压测

一&#xff0c;mongodb数据性能测试 如需转载&#xff0c;请标明出处&#xff1a;https://zhenghuisheng.blog.csdn.net/article/details/139505973 mongodb数据性能测试 一&#xff0c;mongodb数据性能测试1&#xff0c;mongodb数据库创建和索引设置2&#xff0c;线程池批量…

React+TS前台项目实战(一)-- 项目初始化配置及开此系列的初衷

文章目录 前言一、初始化项目二、基础配置1. 项目目录及说明如下2. TS版本使用Craco需注意 总结 前言 前面 后台管理系统实战 系列教程暂时告一段落了&#xff0c;想了解全局各种配置的可自行查看。本次教程将重点介绍React前台项目的实操&#xff0c;关于具体的配置&#xff…

龙迅LT8712X TYPE-C或者DP转HDMI加VGA输出,内置MCU,只是IIS以及4K60HZ分辨率

龙迅LT8712X描述&#xff1a; LT8712X是一种高性能的Type-C/DP1.2到HDMI2.0和VGA转换器&#xff0c;设计用于将USB Type-C源或DP1.2源连接到HDMI2.0和VGA接收器。LT8712X集成了一个DP1.2兼容的接收器&#xff0c;一个HDMI2.0兼容的发射机和一个高速三角机窝视频DAC。此外&…

Python 可变长参数的魔法:灵活函数设计的秘密

哈喽&#xff0c;大家好&#xff0c;我是木头左&#xff01; 什么是可变长参数&#xff1f; 在 Python 中&#xff0c;可变长参数允许你向函数传入任意数量的参数&#xff0c;而无需预先定义它们的个数。这为编写更加灵活和通用的函数提供了可能。可变长参数主要有两种形式&am…

记录某书请求返回406及响应{“code“:-1,“success“:false}

今天测试某个平台的爬虫时使用requests post请求正常写了个测试脚本把各种参数带上出来以后出现了406情况&#xff0c;和网站数据是完全一样的 以为是 X-S、X-T参接不对&#xff0c;但在postman里测试又是可以的成功&#xff0c;以为是检验了参数顺序&#xff0c;测试发现也没…

JavaSE基础语法合集

随着不断学习&#xff0c;我们已经走完了JavaSE基础语法的所有内容&#xff0c;博主的单独语法篇共十二篇&#xff0c;感兴趣的也可以去看看&#xff0c;内容基本一致&#xff0c;目录是重新排布的&#xff0c;数组和方法都在初识Java章节。 适合&#xff1a;老手复习和新手从零…

Linux下的Git应用及配置

1、卸载 2、安装 3、创建并初始化 4、配置 &#xff08;附加删除语句&#xff09; 5、查看&#xff08;tree .git/&#xff09; 6、增加和提交 7、打印日志 8、验证已操作工作

sc.tl.rank_genes_groups()问题

今天被问到了一个关于sc.tl.rank_genes_groups()的奇怪的问题 import scanpy as sc import pandas as pd import numpy as np import seaborn as sns import matplotlib.pyplot as plt # from CellDART import da_cellfraction # from CellDART.utils import random_mix from…

谷歌个人开发者账号“14+20”封测没通过?你可能忽视了这个细节

众所周知&#xff0c;在Google play平台如果使用个人开发者账号上架应用&#xff0c;在提审正式版应用前&#xff0c;需要满足20人连续封闭测试14天的要求&#xff0c;不少开发者在这个阶段遇到了问题&#xff0c;被谷歌认为没满足要求&#xff0c;从而不能上架应用。 为什么你…

国产开发板——香橙派Kunpeng Pro的上手初体验

开发板&#xff08;Development Board&#xff09;是一种特殊的电子产品&#xff0c;它的主要目的是为了帮助开发者快速地设计、测试和验证电子产品的硬件和软件设计。开发板通常提供了一个完整的硬件平台&#xff0c;包括微控制器、存储器、接口和其他外围设备&#xff0c;开发…

性能狂飙:SpringBoot应用优化实战手册

在数字时代&#xff0c;速度就是生命&#xff0c;性能就是王道&#xff01;《极速启航&#xff1a;SpringBoot性能优化的秘籍》带你深入SpringBoot的内核&#xff0c;探索如何打造一个飞速响应、高效稳定的应用。从基础的代码优化到高级的数据库连接池配置&#xff0c;再到前端…

【深度学习-第6篇】使用python快速实现CNN多变量回归预测(使用pytorch框架)

上一篇我们讲了使用CNN进行分类的python代码&#xff1a; Mr.看海&#xff1a;【深度学习-第5篇】使用Python快速实现CNN分类&#xff08;模式识别&#xff09;任务&#xff0c;含一维、二维、三维数据演示案例&#xff08;使用pytorch框架&#xff09; 这一篇我们讲CNN的多变…

OZON快蜗牛数据工具,OZON数据分析工具

在当今的电商时代&#xff0c;数据已经成为了商家们最宝贵的资产之一。无论是产品选品、市场定位&#xff0c;还是营销策略的制定&#xff0c;都离不开对数据的深入分析和精准把握。而在众多电商平台中&#xff0c;OZON以其独特的商业模式和庞大的用户群体&#xff0c;吸引了众…

【Elasticsearch】es基础入门-03.RestClient操作文档

RestClient操作文档 示例&#xff1a; 一.初始化JavaRestClient &#xff08;一&#xff09;引入es的RestHighLevelClient依赖 <!--elasticsearch--> <dependency><groupId>org.elasticsearch.client</groupId><artifactId>elasticsearch-rest…

JVM垃圾收集器和性能调优

目标&#xff1a; 1.JVM垃圾收集器有哪几种&#xff1f; 2.CMS垃圾收集器回收步骤。 一、JVM常见的垃圾回收器 为什么垃圾回收的时候需要STW? 标记垃圾的时候&#xff0c;如果不STW&#xff0c;可能用户线程就会不停的产生垃圾。 1.1 单线程收集 Serial和SerialOld使用单…

山东大学软件学院项目实训-创新实训-基于大模型的旅游平台(二十八)- 微服务(8)

目录 11.4 SpringAMQP 11.4.2 Work Queue工作队列 11.4.3 发布订阅模型 11.4.4 FanoutExchange(广播交换机) 11.4.5 DirectExchange(路由模式交换机) 11.4.6 TopicExchange 11.5 消息转换器 11.4 SpringAMQP 父工程引入AMQP依赖 <!--AMQP依赖&#xff0c;包含RabbitMQ…

接口自动化测试做到什么程度的覆盖算是合格的

接口自动化测试的覆盖程度是一个衡量测试质量与效率的重要指标&#xff0c;其“好”的标准并非绝对&#xff0c;而是根据项目特性和团队需求动态调整的结果。然而&#xff0c;有几个原则和实践可以帮助我们确定一个相对合理的覆盖范围&#xff0c;以及为何这些覆盖是必要的。 1…

鸿蒙全栈开发-一文读懂鸿蒙同模块不同模块下的UIAbility跳转详解

前言 根据第三方机构Counterpoint数据&#xff0c;截至2023年三季度末&#xff0c;HarmonyOS在中国智能手机操作系统的市场份额已经提升至13%。短短四年的时间&#xff0c;HarmonyOS就成长为仅次于安卓、苹果iOS的全球第三大操作系统。 因此&#xff0c;对于鸿蒙生态建设而言&a…

FatFs文件系统移植到MCU平台详细笔记经验教程

0、准备工作 在移植FatFs文件系统前&#xff0c;需要准备好一块开发板&#xff0c;和一张SD卡&#xff0c;且需要已经实现开发板正常的读写SD卡或其它硬件设备。 本文笔记教程中使用的硬件设备是STM32F407VET6开发板&#xff08;板载SD插槽&#xff09;&#xff0c;配备8G和32G…