views:

56

answers:

4

I have a contant list declared in java using enum type, that must appears in a jsp. Java enum declaration :

public class ConstanteADMD {


    public enum LIST_TYPE_AFFICHAGE {
        QSDF("qsmldfkj"), POUR("azeproui");

        private final String name;

        @Override
        public String toString() {
            return name;
        }

        private LIST_TYPE_AFFICHAGE(String name) {
            this.name = name;
        }

        public static List<String> getNames() {
            List<String> list = new ArrayList<String>();
            for (LIST_TYPE_AFFICHAGE test : LIST_TYPE_AFFICHAGE.values()) {
                list.add(test.toString());
            }
            return list;
        }
    }
}


<select name="typeAffichage" id="typeAffichage">
    <c:forEach var="type" items="${netcsss.outils.ConstanteADMD.LIST_TYPE_AFFICHAGE.names}">
        <option value="${type}">${type}</option>
    </c:forEach>
</select>

where as :

<select name="typeAffichage" id="typeAffichage">
    <c:choose>
        <c:when test="${catDecla ne null}">
            <option
                value="<%=catDecla.getCatDecla().getSTypeAffichage()%>"
                selected="selected"><%=catDecla.getCatDecla().getSTypeAffichage()%></option>
        </c:when>
    </c:choose> 
        <%List<String> list = ConstanteADMD.LIST_TYPE_AFFICHAGE.getNames();
                for(String test : list) {
            %>
        <option value="<%=test%>"><%=test%></option>
        <%}%>
</select>

Works fine. Is there a limitation on enum types ni foreach loop?

A: 

The EL you are using in the items attribute on c:forEach is trying to call a static method on your enum types. I believe that EL only supports calls on instance methods.

highlycaffeinated
A: 

You can create a method that returns Enum.values() if you cannot use values directly in your EL expression.

Remove the getNames() from inside your Enum and use a method like this instead somewhere else in your code.

public List<LIST_TYPE_AFFICHAGE> getNames() {
    return new ArrayList<LIST_TYPE_AFFICHAGE>(Arrays.asList(LIST_TYPE_AFFICHAGE.values()));
}
Shervin
A: 

The values method works fine, my mistake. Indeed the problem was that I didn't put my list in the page scope of my jsp.

<%    pageContext.setAttribute("monEnum", ConstanteADMD.ListTypeAffichage.values()); %>

...
<c:forEach var="entry" items="${monEnum}">
    <option>${entry.type}</option>
</c:forEach>

No need of the getNames method

jayjaypg22