如何在Spring Boot中从资源中读取JSON文件

2022-09-03 17:01:06

使用Spring Boot 2.1.5 Release,创建了以下示例Spring Boot微服务:

Maven 项目结构:

MicroService
    │
    pom.xml
    src
    │
    └───main
        │ 
        ├───java
        │   │ 
        │   └───com
        │       └───microservice
        │           │
        │           └───MicroServiceApplication.java  
        │  
        └───resources
            │
            └───data.json
                │                    
                application.properties

拥有以下 JSON 文件(在 src/main/resources/data.json 中):

{"firstName": "John", "lastName": "Doe"}

微服务应用:

@SpringBootApplication
public class MicroServiceApplication {

    @Bean
    CommandLineRunner runner() {
        return args -> {
            String data = FilePathUtils.readFileToString("../src/main/resources/data.json", MicroServiceApplication.class);
            System.out.println(data);
        };
    }

    public static void main(String[] args) {
        SpringApplication.run(MicroServiceApplication.class, args);
    }
}

引发以下异常:

  java.lang.IllegalStateException: Failed to execute CommandLineRunner
  ...
  Caused by: java.io.IOException: Stream is null

FilePathUtils.java:

import io.micrometer.core.instrument.util.IOUtils;

import java.io.IOException;
import java.io.InputStream;
import java.nio.charset.Charset;

public class FilePathUtils {
    public static String readFileToString(String path, Class aClazz) throws IOException {

        try (InputStream stream = aClazz.getClassLoader().getResourceAsStream(path)) {
            if (stream == null) {
                throw new IOException("Stream is null");
            }
            return IOUtils.toString(stream, Charset.defaultCharset());
        }
    }
}

我可能做错了什么?


答案 1

虽然@Deadpool提供了答案,但我想补充一点,当创建弹簧靴的工件时,不再有这样的文件夹(您可以打开Spring boot工件并自己确保)。src/main/

因此您无法像这样加载资源:

FilePathUtils.readFileToString("../src/main/resources/data.json", MicroServiceApplication.class);

Spring确实有一个抽象,可以在应用程序中使用,甚至可以注入到类/配置中:Resource

@Value("classpath:data/data.json")
Resource resourceFile;

请注意前缀“classpath”,这意味着资源将从类路径解析(读取正确打包到工件中的所有内容)。

有一个很好的教程,可以很方便


答案 2

在弹簧启动项目中,您可以使用ResourceUtils

Path file = ResourceUtils.getFile("data/data.json").toPath();

ClassPathResource

String clsPath =  new ClassPathResource("data/data.json").getPath();

有时如果你正在阅读不同的扩展文件,如或或你需要阅读它作为使用春天,这篇文章有明确的解释.graphql.mmdb.jsonInputStreamResourceLoader

@Autowire
private ResourceLoader resourceLoader;

   Resource resource =resourceLoader.getResource("classpath:GeoLite2-Country.mmdb");
   InputStream dbAsStream = resource.getInputStream();

并复制到临时文件使用InputStreamFiles.copy

Files.copy(inputStream, outputFile.toPath(), StandardCopyOption.REPLACE_EXISTING);

推荐