Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

JSTL foreach on enum

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?

like image 726
jayjaypg22 Avatar asked Oct 20 '10 13:10

jayjaypg22


3 Answers

Another option is to use a <c:set/> tag like such:

<c:set var="enumValues" value="<%=YourEnum.values()%>"/>

Then just iterate over it as such:

<c:forEach items="${enumValues}" var="enumValue">
    ...
</c:forEach>

Your IDE should prompt you to import the YourEnum class.

like image 136
Steven Benitez Avatar answered Sep 18 '22 13:09

Steven Benitez


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

like image 29
jayjaypg22 Avatar answered Sep 19 '22 13:09

jayjaypg22


Another simple way can be:

<c:forEach items="<%=LIST_TYPE_AFFICHAGE.values()%>" var="entry">
    <option>${entry.name }</option>
</c:forEach>

You need to import these:

<%@ taglib  uri="http://java.sun.com/jsp/jstl/core" prefix="c"%>
<%@page import="packagename.LIST_TYPE_AFFICHAGE"%>
like image 36
YROjha Avatar answered Sep 18 '22 13:09

YROjha