반응형
InputStream에서 File 객체를 생성할 수 있습니까?
이 파일을 만들 방법이 있습니까?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
}
스트림의 수동 복사를 피하기 위해 편리한 사용을 하고 있습니다.버퍼링도 내장되어 있습니다.
한 줄로:
FileUtils.copyInputStreamToFile(inputStream, file);
(102.1989.1989).io)
Java 7 이후 외부 라이브러리를 사용하지 않아도 한 줄로 작업을 수행할 수 있습니다.
Files.copy(inputStream, outputPath, StandardCopyOption.REPLACE_EXISTING);
API 문서를 참조하십시오.
먼저 임시 파일을 만듭니다.
File tempFile = File.createTempFile(prefix, suffix);
tempFile.deleteOnExit();
FileOutputStream out = new FileOutputStream(tempFile);
IOUtils.copy(in, out);
return tempFile;
다른 라이브러리를 사용하고 싶지 않은 경우는, 다음의 간단한 기능으로 데이터를 카피할 수 있습니다.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();
간편한 Java 9 솔루션(리소스 블록 사용
public static void copyInputStreamToFile(InputStream input, File file) {
try (OutputStream output = new FileOutputStream(file)) {
input.transferTo(output);
} catch (IOException ioException) {
ioException.printStackTrace();
}
}
java.io 를 참조해 주세요.Input Stream #transfer To는 Java 9 이후 사용할 수 있습니다.
Java 버전7 이후를 사용하고 있는 경우는, 자원과 함께 트라이를 사용해, 올바르게 종료할 수 있습니다.FileOutputStream
commons-io의 다음 코드 사용.
public void copyToFile(InputStream inputStream, File file) throws IOException {
try(OutputStream outputStream = new FileOutputStream(file)) {
IOUtils.copy(inputStream, outputStream);
}
}
언급URL : https://stackoverflow.com/questions/11501418/is-it-possible-to-create-a-file-object-from-inputstream
반응형
'programing' 카테고리의 다른 글
Vuejs 비동기 데이터 함수의 중첩된 약속 (0) | 2022.09.01 |
---|---|
wait()가 항상 동기화된 블록에 있어야 하는 이유 (0) | 2022.09.01 |
C의 파일 설명자에서 파일 이름 검색 (0) | 2022.09.01 |
Nuxt JS/Firebase를 사용한 Vuex 미지의 액션 (0) | 2022.08.31 |
vue jsx에서 템플릿 범위를 사용하는 방법 (0) | 2022.08.31 |