我正在编写这个将InputStream转换为文件的方法,但该方法适用于某些输入但不适用于所有(当我将zip文件作为InputStream传递时)。它只是创建一个0字节的文件。
我知道之前已经问过这个问题,在任何人将其标记为重复之前,请仔细阅读我到目前为止所做的事情。
这是我到目前为止所尝试的。大多数解决方案都是从StackOverFlow中找到的。
private void saveFile(String filename, InputStream input) throws IOException
{
if (filename == null) {
return;
}
File file = new File(filename);
//*************** 1st *****************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
System.out.println("This is inputStream:"+stringFromInputStream);
FileUtils.writeStringToFile(file, StringFromInputStream);
//********************2nd **********************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
byte[] aByte = StringFromInputStream.getBytes();
FileOutputStream fos=new FileOutputStream(file);
IOUtils.write(aByte, fos);
//*******************3rd**********************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
byte[] aByte = StringFromInputStream.getBytes();
FileOutputStream fos=new FileOutputStream(file);
fos.write(aByte);
//*********************4th*********************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
FileWriter fr=new FileWriter(file);
BufferedWriter br=new BufferedWriter(fr);
br.write(StringFromInputStream);
br.flush();
fr.flush();
br.close();
fr.close();
//*************5th**********************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
Files.write(Paths.get(filename), StringFromInputStream.getBytes());
//************************6th**************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
FileUtils.writeStringToFile(file, StringFromInputStream);
//******************7th*********************
String stringFromInputStream = IOUtils.toString(input, "UTF-8");
FileWriter fileWriter = new FileWriter(file);
PrintWriter printWriter = new PrintWriter(fileWriter);
printWriter.print(StringFromInputStream);
fileWriter.flush();
fileWriter.close();
//**********************8th*************************
final Path destination = Paths.get(filename);
try (
final InputStream in = input;
) {
Files.copy(in, destination,StandardCopyOption.REPLACE_EXISTING);
}
// ************* This one works but not for all(Sometimes creats a file with 0 bytes) ****************
FileOutputStream fos = new FileOutputStream(file);
BufferedOutputStream bos = new BufferedOutputStream(fos);
BufferedInputStream bis = new BufferedInputStream(input);
int aByte;
while ((aByte = bis.read()) != -1) {
bos.write(aByte);
}
bos.flush();
fos.flush();
bos.close();
fos.close();
bis.close();
........
}
答案 0 :(得分:2)
由于您将InputStream读取为String变量(二进制文件将被损坏),因此大多数方法都会损坏文件。试试这个实现:
byte[] aByte = IOUtils.toByteArray(input);
FileOutputStream fos=new FileOutputStream(file);
IOUtils.write(aByte, fos);
或
FileOutputStream fos=new FileOutputStream(file);
IOUtils.copy(input, fos);