Repeat multiple ui:include with each their own bean and collect submitted data from them all

590 Views Asked by At

I have one file with multiple file included on that

<ui:include src="file1.xhtml" />
<ui:include src="file2.xhtml" />
<ui:include src="file3.xhtml" />
<ui:include src="file4.xhtml" />

Once submitting file, I am fetching the Managed bean of all the included file and calling the save method

FacesContext ctx = FacesContext.getCurrentInstance();
File1ManagedBean fmb =(File1ManagedBean)ctx.getApplication().evaluateExpressionGet(ctx, "#{file1ManagedBean}", File1ManagedBean.class);
fmb.saveApplication();

Now in this file I have another button called "Add Another Member" which will repeat those included file again.That thing I am not able to do. I have tried with ui:repeat and but the problem is I am loading same managed bean twice and both are copying the same values. So, how could I achieve the same functionality

1

There are 1 best solutions below

4
On

This is indeed an awkward approach. I can understand why you got confused and blocked while maintaining and extending it. Just don't make all those models separate managed beans. Simply make all those models a property of a single managed bean which manages them all in single place.

E.g.

@Named
@ViewScoped
public class FileManagedBean implements Serializable {

    private List<FileModel> fileModels;

    @PostConstruct
    public void init() {
        fileModels = new ArrayList<>();
        addFileModels();
    }

    public void addFileModels() {
        fileModels.add(new File1Model());
        fileModels.add(new File2Model());
        fileModels.add(new File3Model());
        fileModels.add(new File4Model());
    }

    public void saveFileModels() {
        for (FileModel fileModel : fileModels) {
            fileModel.saveApplication();
        }
    }

    public List<FileModel> getFileModels() {
        return fileModels;
    }

}
<c:forEach items="#{fileManagedBean.fileModels}" var="fileModel">
    <ui:include src="#{fileModel.includeSrc}" /><!-- inside include file, just use #{fileModel}. -->
</c:forEach>
<h:commandButton value="Add" action="#{fileManagedBean.addFileModels}" />
<h:commandButton value="Save" action="#{fileManagedBean.saveFileModels}" />

Note that <ui:repeat><ui:include> won't work for reasons explained here: Dynamic <ui:include src> depending on <ui:repeat var> doesn't include anything.