> Java > java지도 시간 > 본문

Java에서 JAR 패키지의 리소스 파일을 읽는 방법은 무엇입니까?

WBOY
풀어 주다: 2023-05-08 18:49:09
앞으로
8206명이 탐색했습니다.

1. 요구 사항

Java 프로젝트에서는 리소스 디렉터리의 파일을 읽고, 지정된 리소스 디렉터리의 모든 파일을 탐색하며, 파일을 읽을 때 파일의 상대 경로를 유지해야 합니다.

2. 문제

IDEA에서 실행하면 지정된 리소스를 얻어서 순회할 수 있지만, Java 프로젝트를 jar 패키지로 실행한 후에는 리소스 디렉터리에 있는 파일을 얻을 수 없습니다.

3. IDEA는 리소스 리소스를 읽습니다.

컴파일 후 리소스 파일은 대상 디렉터리에 배치되고 각 리소스 파일은 실제로 디스크에 존재합니다.

3.1, 방법 1

절대 경로를 통해 직접 읽기. 파일이 디렉터리인 경우 listFiles를 통해 디렉터리의 파일을 재귀적으로 탐색할 수도 있습니다.

String absolutePath = "资源文件绝对路径";
File file = new File(absolutePath);
if (file.isDirectory()) {
    File[] children = file.listFiles();
}
로그인 후 복사

3.2, 방법 2

상대 경로를 통해 읽기:

String path = "template";    //相对resource路径
File file = ResourceUtils.getFile(ResourceUtils.CLASSPATH_URL_PREFIX + path);
if (file.isDirectory()) {
    File[] children = file.listFiles();
}
로그인 후 복사

4, jar 패키지로 만든 후 리소스 리소스를 읽어옵니다.

위 두 가지 방법으로는 jar 패키지의 리소스 파일을 읽을 수 없습니다.

jar 패키지를 생성한 후 jar 패키지는 폴더가 아닌 별도의 파일이므로 파일 경로를 통해 리소스 파일을 찾을 수 없습니다. 이때 jar 패키지에 포함된 리소스 파일은 클래스 로더를 통해 읽어올 수 있다.

4.1. jar 패키지의 리소스 파일 읽기

이 방법은 jar 패키지의 단일 파일만 읽을 수 있습니다. 읽은 것은 InputStream 스트림이므로 리소스에 대한 파일의 경로를 유지할 수 없습니다. jar 패키지를 읽을 수 없습니다.

String path = "/resource相对路径";
InputStream is = this.class.getResourceAsStream(path);
byte[] buff = new byte[1024];
String filePath = "保存文件路径";
String fileName = "保存文件名";
File file = new File(filePath + fileName);
FileUtils.copyInputStreamToFile(is, file);
로그인 후 복사

4.2. jar 패키지 리소스 디렉토리 탐색

리소스 리소스 디렉토리를 예로 들어 로컬 및 jar 패키지의 리소스를 각각 복사합니다.

아래와 같이:

리소스 리소스 디렉터리 아래 템플릿 폴더의 모든 내용을 복사하고 싶습니다.

그런 다음 C:/Users/ASUS/Desktop/savePath 폴더에 저장합니다.

4.2.1. 환경 판단

public static void main(String[] args) throws URISyntaxException {
    // Test为当前类名
    URI uri = Test.class.getProtectionDomain().getCodeSource().getLocation().toURI();
    // tempPath: 文件保存路径
    String tempPath = "C:/Users/ASUS/Desktop/savePath";
    String sourceDir = "template";  //资源文件夹
    if (uri.toString().startsWith("file")) {
        // IDEA运行时,进行资源复制
        copyLocalResourcesFileToTemp(sourceDir + "/", "*", tempPath + "/" + sourceDir);
    } else {
        // 获取jar包所在路径
        String jarPath = uri.toString();
        uri = URI.create(jarPath.substring(jarPath.indexOf("file:"),jarPath.indexOf(".jar") + 4));
        // 打成jar包后,进行资源复制
        Test.copyJarResourcesFileToTemp(uri, tempPath, "BOOT-INF/classes/" + sourceDir);
    }
}
로그인 후 복사

4.2.2. 로컬 프로젝트의 리소스 파일을 복사합니다

/**
     * 复制本地资源文件到指定目录
     * @param fileRoot      需要复制的资源目录文件夹
     * @param regExpStr     资源文件匹配正则,*表示匹配所有
     * @param tempParent    保存地址
     */
    public static void copyLocalResourcesFileToTemp(String fileRoot, String regExpStr, String tempParent) {
        try {
            ResourcePatternResolver resolver = new PathMatchingResourcePatternResolver();
            Resource[] resources = resolver.getResources(fileRoot + regExpStr);
            for (Resource resource : resources) {
                File newFile = new File(tempParent, resource.getFilename());
                if (newFile.exists()) {
                    newFile.delete();
                }
                InputStream stream = null;
                try {
                    stream = resource.getInputStream();
                } catch (Exception e) {
                    // 如果resource为文件夹时,会报异常,这里直接忽略这个异常
                }
                if (stream == null) {
                    newFile.mkdirs();
                    copyLocalResourcesFileToTemp(fileRoot + resource.getFilename()  + "/", regExpStr, tempParent + "/" + resource.getFilename());
                } else {
                    if (!newFile.getParentFile().exists()) {
                        newFile.getParentFile().mkdirs();
                    }
                    org.apache.commons.io.FileUtils.copyInputStreamToFile(stream, newFile);
                }
            }
        } catch (Exception e) {
            log.error("failed to copy local source template", e);
        }
    }
로그인 후 복사

4.2.3.jar 패키지에 있는 리소스 파일을 복사합니다

/**
     * 复制jar包中的资源文件到指定目录
     * @param path          jar包所在路径
     * @param tempPath      保存目录
     * @param filePrefix    需要进行复制的资源文件目录:以BOOT-INF/classes/开头
     */
    public static void copyJarResourcesFileToTemp(URI path, String tempPath, String filePrefix) {
        try {
            List<Map.Entry<ZipEntry, InputStream>> collect =
                    readJarFile(new JarFile(path.getPath()), filePrefix).collect(Collectors.toList());
            for (Map.Entry<ZipEntry, InputStream> entry : collect) {
                // 文件相对路径
                String key = entry.getKey().getName();
                // 文件流
                InputStream stream = entry.getValue();
                File newFile = new File(tempPath + key.replaceAll("BOOT-INF/classes", ""));
                if (!newFile.getParentFile().exists()) {
                    newFile.getParentFile().mkdirs();
                }
                org.apache.commons.io.FileUtils.copyInputStreamToFile(stream, newFile);
            }
        } catch (IOException e) {
            log.error("failed to copy jar source template", e);
        }
    }
로그인 후 복사
@SneakyThrows
    public static Stream<Map.Entry<ZipEntry, InputStream>> readJarFile(JarFile jarFile, String prefix) {
        Stream<Map.Entry<ZipEntry, InputStream>> readingStream =
                jarFile.stream().filter(entry -> !entry.isDirectory() && entry.getName().startsWith(prefix))
                        .map(entry -> {
                            try {
                                return new AbstractMap.SimpleEntry<>(entry, jarFile.getInputStream(entry));
                            } catch (IOException e) {
                                return new AbstractMap.SimpleEntry<>(entry, null);
                            }
                        });
        return readingStream.onClose(() -> {
            try {
                jarFile.close();
            } catch (IOException e) {
                log.error("failed to close jarFile", e);
            }
        });
    }
로그인 후 복사
.

위 내용은 Java에서 JAR 패키지의 리소스 파일을 읽는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!

관련 라벨:
원천:yisu.com
본 웹사이트의 성명
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.
인기 튜토리얼
더>
최신 다운로드
더>
웹 효과
웹사이트 소스 코드
웹사이트 자료
프론트엔드 템플릿
회사 소개 부인 성명 Sitemap
PHP 중국어 웹사이트:공공복지 온라인 PHP 교육,PHP 학습자의 빠른 성장을 도와주세요!