springboot怎么讀取本地文件

小億
425
2024-04-18 13:53:11

在Spring Boot項(xiàng)目中讀取本地文件可以通過(guò)使用Resource對(duì)象來(lái)實(shí)現(xiàn)。首先,需要將文件放置在resources文件夾下,然后可以使用ResourceLoader來(lái)加載文件。

以下是一個(gè)示例代碼,演示如何在Spring Boot項(xiàng)目中讀取本地文件:

import org.springframework.core.io.Resource;
import org.springframework.core.io.ResourceLoader;
import org.springframework.stereotype.Service;

@Service
public class FileService {

    private final ResourceLoader resourceLoader;

    public FileService(ResourceLoader resourceLoader) {
        this.resourceLoader = resourceLoader;
    }

    public String readFile(String fileName) {
        try {
            Resource resource = resourceLoader.getResource("classpath:" + fileName);
            InputStream inputStream = resource.getInputStream();
            BufferedReader reader = new BufferedReader(new InputStreamReader(inputStream));

            StringBuilder content = new StringBuilder();
            String line;
            while ((line = reader.readLine()) != null) {
                content.append(line);
            }

            reader.close();
            return content.toString();
        } catch (IOException e) {
            e.printStackTrace();
            return null;
        }
    }
}

在上面的例子中,FileService類使用ResourceLoader來(lái)加載資源,并返回文件內(nèi)容的字符串表示。您可以注入FileService類并調(diào)用readFile方法來(lái)讀取本地文件。

請(qǐng)注意,上述代碼中假設(shè)文件位于resources文件夾下,您可以根據(jù)實(shí)際情況修改文件路徑。

0