在 Java 中将 InputStream 转换为 FileItem

声明:本页面是StackOverFlow热门问题的中英对照翻译,遵循CC BY-SA 4.0协议,如果您需要使用它,必须同样遵循CC BY-SA许可,注明原文地址和作者信息,同时你必须将它归于原作者(不是我):StackOverFlow 原文地址: http://stackoverflow.com/questions/10529270/
Warning: these are provided under cc-by-sa 4.0 license. You are free to use/share it, But you must attribute it to the original authors (not me): StackOverFlow

提示:将鼠标放在中文语句上可以显示对应的英文。显示中英文
时间:2020-10-31 01:26:20  来源:igfitidea点击:

Transform InputStream to FileItem in Java

java

提问by MrGreen

How can I do to transform from InputStream to FileItem in Java?

如何在 Java 中从 InputStream 转换为 FileItem?

Thanks.

谢谢。

回答by pXel

Here is a working example. Note that you must change the InputStream from the example with your InputStream, and also you might want to change the location of your work/tmp dir().

这是一个工作示例。请注意,您必须使用 InputStream 更改示例中的 InputStream,并且您可能还想更改 work/tmp dir() 的位置。

import java.io.File;
import java.io.FileInputStream;
import java.io.IOException;
import java.io.InputStream;
import java.io.OutputStream;
import org.apache.commons.fileupload.FileItem;
import org.apache.commons.fileupload.disk.DiskFileItem;


public class TestFile {

    public static void main(String args[]) throws IOException {
        // This is a sample inputStream, use your own.
        InputStream inputStream = new FileInputStream("c:\Kit\Apache\geronimo-tomcat6-javaee5-2.1.6\README.txt");

        int availableBytes = inputStream.available();

        // Write the inputStream to a FileItem
        File outFile = new File("c:\tmp\newfile.xml"); // This is your tmp file, the code stores the file here in order to avoid storing it in memory
        FileItem fileItem = new DiskFileItem("fileUpload", "plain/text", false, "sometext.txt", availableBytes, outFile); // You link FileItem to the tmp outFile 
        OutputStream outputStream = fileItem.getOutputStream(); // Last step is to get FileItem's output stream, and write your inputStream in it. This is the way to write to your FileItem. 

        int read = 0;
        byte[] bytes = new byte[1024];
        while ((read = inputStream.read(bytes)) != -1) {
            outputStream.write(bytes, 0, read);
        }

        // Don't forget to release all the resources when you're done with them, or you may encounter memory/resource leaks.
        inputStream.close();
        outputStream.flush(); // This actually causes the bytes to be written.
        outputStream.close();

        // NOTE: You may also want to delete your outFile if you are done with it and dont want to take space on disk.
    }
}