EL은 정수 키로 맵 값에 액세스합니다.


85

Integer로 키가 지정된 Map이 있습니다. EL을 사용하여 키로 값에 액세스하려면 어떻게해야합니까?

Map<Integer, String> map = new HashMap<Integer, String>();
map.put(1, "One");
map.put(2, "Two");
map.put(3, "Three");

나는 이것이 작동한다고 생각했지만 작동하지 않습니다 (지도가 이미 요청의 속성에 있음).

<c:out value="${map[1]}"/>

후속 조치 : 문제를 추적했습니다. 분명히 ${name[1]}번호를 Long. 나는이 변경 때이 아웃 생각 HashMapTreeMap오류를받은 :

java.lang.ClassCastException: java.lang.Integer cannot be cast to java.lang.Long

내지도를 다음과 같이 변경하면 :

Map<Long, String> map = new HashMap<Long, String>();
map.put(1L, "One");

그런 다음 ${name[1]}"One" 을 반환합니다. 그게 뭐야? <c:out>숫자를 긴 것으로 취급하는 이유는 무엇입니까? int가 long보다 더 일반적으로 사용되므로 나에게 반 직관적 인 것 같습니다.

그래서 내 새로운 질문은 Integer값 으로 맵에 액세스하는 EL 표기법이 있습니까?

답변:


117

초기 답변 (EL 2.1, 2009 년 5 월)

이 자바 포럼 스레드 에서 언급했듯이 :

기본적으로 오토 박싱은 Integer 객체를 Map에 넣습니다. 즉 :

map.put(new Integer(0), "myValue")

EL (Expressions Languages)은 0을 Long으로 평가하므로 맵에서 Long을 키로 찾습니다. 즉 다음을 평가합니다.

map.get(new Long(0))

a LongInteger객체와 같지 않으므로 맵에서 항목을 찾지 못합니다.
간단히 말해서 그게 다입니다.


2009 년 5 월 이후 업데이트 (EL 2.2)

2009 년 12 월 JSP 2.2 / Java EE 6과 함께 EL 2.2가 도입되었으며 , EL 2.1과 비교했을 때 약간의 차이가 있었습니다.
다음과 같은 것 같습니다 ( " EL Expression parsing integer as long ").

EL 2.2 내부 intValueLong객체 self 에서 메소드 를 호출 할 수 있습니다 .

<c:out value="${map[(1).intValue()]}"/>

여기에서 좋은 해결 방법이 될 수 있습니다 (아래 Tobias Liefke답변 에서도 언급 됨 )


원래 답변 :

EL은 다음 래퍼를 사용합니다.

Terms                  Description               Type
null                   null value.               -
123                    int value.                java.lang.Long
123.00                 real value.               java.lang.Double
"string" ou 'string'   string.                   java.lang.String
true or false          boolean.                  java.lang.Boolean

이것을 보여주는 JSP 페이지 :

 <%@ taglib prefix="c" uri="http://java.sun.com/jsp/jstl/core"%>

 <%@ page import="java.util.*" %>

 <h2> Server Info</h2>
Server info = <%= application.getServerInfo() %> <br>
Servlet engine version = <%=  application.getMajorVersion() %>.<%= application.getMinorVersion() %><br>
Java version = <%= System.getProperty("java.vm.version") %><br>
<%
  Map map = new LinkedHashMap();
  map.put("2", "String(2)");
  map.put(new Integer(2), "Integer(2)");
  map.put(new Long(2), "Long(2)");
  map.put(42, "AutoBoxedNumber");

  pageContext.setAttribute("myMap", map);  
  Integer lifeInteger = new Integer(42);
  Long lifeLong = new Long(42);  
%>
  <h3>Looking up map in JSTL - integer vs long </h3>

  This page demonstrates how JSTL maps interact with different types used for keys in a map.
  Specifically the issue relates to autoboxing by java using map.put(1, "MyValue") and attempting to display it as ${myMap[1]}
  The map "myMap" consists of four entries with different keys: A String, an Integer, a Long and an entry put there by AutoBoxing Java 5 feature.       

  <table border="1">
    <tr><th>Key</th><th>value</th><th>Key Class</th></tr>
    <c:forEach var="entry" items="${myMap}" varStatus="status">
    <tr>      
      <td>${entry.key}</td>
      <td>${entry.value}</td>
      <td>${entry.key.class}</td>
    </tr>
    </c:forEach>
</table>

    <h4> Accessing the map</h4>    
    Evaluating: ${"${myMap['2']}"} = <c:out value="${myMap['2']}"/><br>
    Evaluating: ${"${myMap[2]}"}   = <c:out value="${myMap[2]}"/><br>    
    Evaluating: ${"${myMap[42]}"}   = <c:out value="${myMap[42]}"/><br>    

    <p>
    As you can see, the EL Expression for the literal number retrieves the value against the java.lang.Long entry in the map.
    Attempting to access the entry created by autoboxing fails because a Long is never equal to an Integer
    <p>

    lifeInteger = <%= lifeInteger %><br/>
    lifeLong = <%= lifeLong %><br/>
    lifeInteger.equals(lifeLong) : <%= lifeInteger.equals(lifeLong) %> <br>

그래서 EL이 정수로 숫자를 확장하도록 할 방법이 없나요?
Steve Kuo

1
@Steve : 실제로 EL은이를 지원하지 않는 것 같습니다.
VonC

Google 검색에서이 질문과 답변을 찾았습니다. 물론, Map <Integer, String>에서 Map <Long, String>으로 전환하자마자 JSP 페이지에있는 EL을 사용하여 가져올 수있었습니다. 감사!!
John Munsch

@ 스티브 : 그것은 가능하다 - 내 대답을 참조
토비아스 Liefke

@SteveKuo 실제로 가능해야합니다. 나는 이제 EL 2.2가 아직 출시되지 않았을 때이 6 년 된 답변이 작성되었음을 알고 있습니다. 나는 대답을 편집하고 업데이트했습니다.
VonC

11

위의 주석 외에 또 다른 유용한 힌트는 요청 매개 변수와 같은 일부 변수에 문자열 값이 포함 된 경우입니다. 이 경우이를 전달하면 JSTL이 "1"이라는 값을 sting으로 키잉하므로 Map 해시 맵에서 일치하는 항목이 없습니다.

이 문제를 해결하는 한 가지 방법은 이와 같이하는 것입니다.

<c:set var="longKey" value="${param.selectedIndex + 0}"/>

이것은 이제 Long 오브젝트로 취급되며 맵 맵 또는 기타 다른 오브젝트에 포함될 때 오브젝트와 일치시킬 수 있습니다.

그런 다음 평소와 같이 계속하십시오.

${map[longKey]}

10

"(" ")"에 숫자를 넣으면 Long의 모든 기능을 사용할 수 있습니다. 이렇게하면 long을 int로 캐스팅 할 수 있습니다.

<c:out value="${map[(1).intValue()]}"/>

나는 당신의 대답을 즉시 보지 못했습니다. +1. 나는 더 많은 가시성을 위해 그 가능성을 내 대답에 포함하고 문서화했습니다.
VonC

3

위의 게시물을 기반으로 나는 이것을 시도했고 이것은 Map B의 값을 Map A의 키로 사용하고 싶었습니다.

<c:if test="${not empty activityCodeMap and not empty activityDescMap}">
<c:forEach var="valueMap" items="${auditMap}">
<tr>
<td class="activity_white"><c:out value="${activityCodeMap[valueMap.value.activityCode]}"/></td>
<td class="activity_white"><c:out value="${activityDescMap[valueMap.value.activityDescCode]}"/></td>
<td class="activity_white">${valueMap.value.dateTime}</td>
</tr>
</c:forEach>
</c:if>

3

변경할 수없는 Mapwith Integer키 가있는 경우 사용자 정의 EL 함수 를 작성하여 a LongInteger. 이렇게하면 다음과 같은 작업을 수행 할 수 있습니다.

<c:out value="${map[myLib:longToInteger(1)]}"/>
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.