에서 java.io.File
개체 를 만드는 방법이 java.io.InputStream
있습니까?
내 요구 사항은 RAR에서 파일을 읽는 것입니다. 임시 파일을 쓰려고하는 것이 아닙니다. RAR 아카이브에 파일이 있는데 읽으려고합니다.
답변
새 파일을 만들고 내용 InputStream
을 해당 파일로 복사 해야합니다.
File file = //...
try(OutputStream outputStream = new FileOutputStream(file)){
IOUtils.copy(inputStream, outputStream);
} catch (FileNotFoundException e) {
// handle exception here
} catch (IOException e) {
// handle exception here
}
나는 IOUtils.copy()
스트림의 수동 복사를 피하기 위해 편리하게 사용 하고 있습니다. 또한 내장 버퍼링이 있습니다.
답변
한 줄로 :
FileUtils.copyInputStreamToFile(inputStream, file);
(org.apache.commons.io)
답변
먼저 임시 파일을 만듭니다.
File tempFile = File.createTempFile(prefix, suffix);
tempFile.deleteOnExit();
FileOutputStream out = new FileOutputStream(tempFile);
IOUtils.copy(in, out);
return tempFile;
답변
Java 7부터는 외부 라이브러리를 사용하지 않고도 한 줄로 수행 할 수 있습니다.
Files.copy(inputStream, outputPath, StandardCopyOption.REPLACE_EXISTING);
API 문서를 참조하십시오 .
답변
다른 라이브러리를 사용하지 않을 경우, 여기에 변환하는 간단한 함수 InputStream
로는 OutputStream
.
public static void copyStream(InputStream in, OutputStream out) throws IOException {
byte[] buffer = new byte[1024];
int read;
while ((read = in.read(buffer)) != -1) {
out.write(buffer, 0, read);
}
}
지금 당신은 쉽게 쓸 수 Inputstream
사용하여 파일로를 FileOutputStream
–
FileOutputStream out = new FileOutputStream(outFile);
copyStream (inputStream, out);
out.close();
답변
try with resources 블록을 사용하는 쉬운 Java 11 솔루션
public static void copyInputStreamToFile(InputStream input, File destination) {
try (OutputStream output = new FileOutputStream(destination)) {
input.transferTo(output);
} catch (IOException ioException) {
ioException.printStackTrace();
}
}
java.io.InputStream # transferTo 는 Java 9부터 사용할 수 있습니다.
답변
Java 버전 7 이상을 사용하는 경우 try-with-resources 를 사용 하여 FileOutputStream
. 다음 코드 IOUtils.copy()
는 commons-io 에서 사용 합니다.
public void copyToFile(InputStream inputStream, File file) throws IOException {
try(OutputStream outputStream = new FileOutputStream(file)) {
IOUtils.copy(inputStream, outputStream);
}
}