一文简述如何从jar包中的资源文件夹中倒腾出文件并保存到服务器本地

Dolaameng.jpg

简述

为什么要从jar中提取资源到本地磁盘? 如何将资源保存到本地磁盘?导出这个文件干什么

首先上来的灵魂三问。简单来说就是当你在服务器上测试或者support时,由于一般是没有合适的权限去在服务器上“写文件”,但是你运行的程序时是有这些权限的,所以你可以在程序中开一个窗口,比如定义一个API,当调用这个API的时候就可以把jar包里的资源文件导出并保存在服务器本地。

开干!

首先让我们定义一个class类来表示从资源文件夹中提取的文件

import lombok.Builder;
import lombok.Data;

import java.util.Date;

@Data
@Builder
class FileInfo {
    String fileInfo;
    String fileSize;
    Date lastModified;
}

然后创建一个帮助类来从资源文件夹中提取文件并保存到本地磁盘。

ResourceLoader 是 Springframwork 里的“临时工”,主要用来干脏活累活的,其实就是的一个开箱即用的帮助类

import ch.qos.logback.core.util.FileUtil;
import lombok.*;
import lombok.extern.slf4j.Slf4j;
import org.apache.commons.io.FileUtils;
import org.springframework.core.io.ResourceLoader;
import org.springframework.stereotype.Component;
import org.springframework.util.FileCopyUtils;

import java.io.File;
import java.io.FileOutputStream;
import java.nio.file.Files;
import java.nio.file.Paths;
import java.util.Date;

@Component
@RequiredArgsConstructor
@Slf4j
public class KeyTabFilesHelper {


    /**
     * This final ResourceLoader + @RequiredArgsConstructor will make this loader automatically wired from Spring
     */
    private final ResourceLoader resourceLoader;


    /**
     * Extract file content from jar file's Resource folder, then save it to local disk
     * @param resourceFolder relative folder under project "resource" folder
     * @param resourceName resource name
     * @param destPath path of local disk the resource to be saved
     * @return A data class provide a summary of the file saved
     */
    @SneakyThrows
    public FileInfo saveAsFile(String resourceFolder, String resourceName, String destPath) {
        final val resource = resourceLoader.getResource("classpath:" + resourceFolder + File.separator + resourceName);
        final val path = Paths.get(destPath, resourceName);


        if (!Files.exists(path)) {
            log.info("File NOT exist, create it and it's missing parent folder :{}", path);
            File file = new File(path.toString());
            FileUtil.createMissingParentDirectories(file);
        }

        FileCopyUtils.copy(resource.getInputStream(), new FileOutputStream(path.toFile()));

        final val fileInfo = FileInfo.builder()
                .fileInfo(path.toFile().toString())
                .fileSize(FileUtils.byteCountToDisplaySize(Files.size(path)))
                .lastModified(new Date(path.toFile().lastModified()))
                .build();

        log.info("saved file to {}, file is:{}", path, fileInfo);
        return fileInfo;
    }

}

最后你就可以在你的Controller里定义一个新的GetMapping接口。

调用上面创建的方法就可以魔术般的把文件搬到服务器上了。

如果有什么总是可以给我留言或者到我的网站上联系我

www.todzhang.com

欢迎大家浏览关注我的公众号 “竹书纪年的IT男”

你可能感兴趣的:(一文简述如何从jar包中的资源文件夹中倒腾出文件并保存到服务器本地)