3

我有一个 UI,可以选择将多个特定性质的文档上传到一个问题。在我的应用程序的其余部分,我可以毫无问题地上传单个文件。

环境

  • 雄猫 7.0.x
  • Mojarra JSF 实施 2.1.3 (20110908-FCS)
  • JSF 2.1 和 Primefaces 2.2
  • 阿帕奇战斧。

代码说明

这是循环文档信息实体的代码。这些实体要么是来自数据库的记录,要么是占位符。如果实体存在,实体将具有指向数据库中项目的 ID,否则将为 0,这意味着它是占位符并且可以上传文件。

在占位符的情况下,有一个上传按钮,它会弹出一个 Primefaces 对话框,其中包含一个 Tomahawk 文件上传组件。

代码

这是JSF代码:

<html
xmlns="http://www.w3.org/1999/xhtml"
xmlns:f="http://java.sun.com/jsf/core"
xmlns:h="http://java.sun.com/jsf/html"
xmlns:ui="http://java.sun.com/jsf/facelets"
xmlns:t="http://myfaces.apache.org/tomahawk"
xmlns:p="http://primefaces.prime.com.tr/ui"
xmlns:c="http://java.sun.com/jsp/jstl/core">

<ui:repeat var="extDoc" value="#{reportBean.externalDocs}"
        varStatus="extDocIdx">
    <!-- Display the document name -->
    <h:outputText value="#{extDoc.name}"/>

    <!-- if the document is not in the database, give the option to add it -->
    <ui:fragment rendered="#{extDoc.id == 0}">
        <!-- On click of the upload button, display the dialog -->
        <h:commandButton value="Upload" type="button"
            onclick="uploadDlg#{extDocIdx.index}.show()" modal="true"/>

        <p:dialog header='Upload document for #{extDoc.name}'
                modal="true" widgetVar="uploadDlg#{extDocIdx.index}"
                width="650" minWidth="650">
            Select the file to upload:
            <!-- THIS IS WHERE THE PROBLEM IS -->
            <t:inputFileUpload value="#{reportBean.uploadedFile}"/>
            <br/>
            <h:commandButton value="Submit"
                action="#{reportBean.addExtDocument(extDoc.name, extDocIdx.index)}"/>
        </p:dialog>
    </ui:fragment>

    <ui:fragment rendered="#{extDoc.id != 0}">
        <!-- display a link to the uploaded file -->
    </ui:fragment>
</ui:repeat>

ReportBean中的uploadedFile属性:

private UploadedFile uploadedFile;
public UploadedFile getUploadedFile() { return uploadedFile; }
public void setUploadedFile(UploadedFile value) { uploadedFile = value; }

public void addExtDocument(String name, int idx)
    throws IOException
{
    // access uploadedFile to persist the information
}

问题

我愚蠢地只有一个上传文件变量来处理上传文件的整个循环;因此,循环中的最后一项始终会覆盖其他项,因此除了最后一项外,无法上传任何内容。我显然需要为每次循环指定不同的上传文件。我尝试使用 List<UploadedFile> 失败,但不清楚如何初始化数组或 t:inputFileUpload 组件如何更新提交时的值。

问题

所以问题是:我在 t:inputFileUpload 中包含什么样的 EL 以及在 ReportBean 中使用什么样的属性来在我的 addDocument 方法中提供单独的 uploadFile 实例?

4

1 回答 1

5

您可以使用List<UploadedFile>UploadedFile[]使用大括号表示法访问各个项目,其中您传递的当前索引<ui:repeat>如下:

<t:inputFileUpload value="#{reportBean.uploadedFiles[extDocIdx.index]}"/>

无论哪种方式,您都需要确保该属性已正确预初始化。List必须使用 初始化,并且new ArrayList<>()必须使用正确的长度对数组进行预初始化。JSF/EL 即不会为您预先创建它;它只是在给定索引上设置给定项目,仅此而已。在null列表或数组上,您只会面对 a PropertyNotWritableException,而在空数组或大小错误的数组上,您只会面对ArrayIndexOutOfBoundsException.

于 2012-10-24T14:39:10.493 回答