流封闭异常(Stream closed Exception)

2019-10-17 10:51发布

我越来越Stream is closed Exception时,我要保存上传的图片。 我特林预览graphicImage上传图片的保存之前的。 此操作工作。 但我不能保存图像。 这里是我的代码:

private InputStream in;
private StreamedContent filePreview;
// getters and setters

public void upload(FileUploadEvent event)throws IOException { 
    // Folder Creation for upload and Download
    File folderForUpload = new File(destination);//for Windows
    folderForUpload.mkdir();
    file = new File(event.getFile().getFileName());
    in = event.getFile().getInputstream();
    filePreview = new DefaultStreamedContent(in,"image/jpeg");
    FacesMessage msg = new FacesMessage("Success! ", event.getFile().getFileName() + " is uploaded.");  
    FacesContext.getCurrentInstance().addMessage(null, msg);
}

public void setFilePreview(StreamedContent fileDownload) {
    this.filePreview = fileDownload;
}

public StreamedContent getFilePreview() {
    return filePreview;
}

public void saveCompanyController()throws IOException{
    OutputStream out  = new FileOutputStream(getFile());
    byte buf[] = new byte[1024];
    int len;
    while ((len = in.read(buf)) > 0)
        out.write(buf, 0, len);
    FileMasterDO fileMasterDO=new FileMasterDO();
    fileMasterDO.setFileName(getFile().getName());
    fileMasterDO.setFilePath(destination +file.getName());
    fileMasterDO.setUserMasterDO(userMasterService.findUserId(UserBean.getUserId()));
    fileMasterDO.setUpdateTimeStamp(new Date());
    in.close();
    out.flush();
    out.close();
    fileMasterService.save(filemaster);
}

这个bean是在session范围内。

Answer 1:

你试图读取InputStream两次(第一次是在DefaultStreamedContent上传方法的构造和第二次是在保存方法的副本循环)。 这是不可能的。 它只能读取一次。 你需要把它读入一个byte[]第一,然后将其指定为一个bean的属性,让你可以重复使用它同时为StreamedContent和保存。

请确保你永远保持外部资源,如InputStreamOutputStream一个bean属性。 从目前和其他豆类如适用和使用全部删除byte[]保存图像的内容属性。

在您的特定情况下,需要进行如下修正:

private byte[] bytes; // No getter+setter!
private StreamedContent filePreview; // Getter only.

public void upload(FileUploadEvent event) throws IOException {
    InputStream input = event.getFile().getInputStream();

    try {
        IOUtils.read(input, bytes);
    } finally {
        IOUtils.closeQuietly(input);
    }

    filePreview = new DefaultStreamedContent(new ByteArrayInputStream(bytes), "image/jpeg");
    // ...
}

public void saveCompanyController() throws IOException {
    OutputStream output = new FileOutputStream(getFile());

    try {
        IOUtils.write(bytes, output);
    } finally {
        IOUtils.closeQuietly(output);
    }

    // ...
}

注: IOUtils是Apache下议院IO,你应该已经在classpath中,因为它是一个依赖<p:fileUpload>



文章来源: Stream closed Exception