web-dev-qa-db-ja.com

ELで定数を参照する方法は?

JSPページでELを使用して定数をどのように参照しますか?

Addressesという名前の定数を持つインターフェイスURLがあります。次のようにして、スクリプレットで参照できることを知っています:<%=Addresses.URL%>が、ELを使用してこれを行うにはどうすればよいですか?

102
tau-neutrino

以下はEL全般には適用されませんが、代わりにSpEL(Spring EL)のみに適用されます(Tomcat 7で3.2.2.RELEASEでテスト済み)。誰かがJSPとELを検索する場合(ただしSpringでJSPを使用する場合)、ここで言及する価値があると思います。

<%@ taglib prefix="spring" uri="http://www.springframework.org/tags"%>
<spring:eval var="constant" expression="T(com.example.Constants).CONSTANT"/>
11
anre

通常、これらの種類の定数は、サーブレットコンテキストのConfigurationオブジェクト(ゲッターとセッターを含む)に配置し、${applicationScope.config.url}を使用してアクセスします。

9
Bozho

できません。これはJava Beanの慣習に従います。そのためには、ゲッターが必要です。

6
Adeel Ansari

ELでは静的プロパティにアクセスできません。私が使用する回避策は、それ自体を静的な値に割り当てる非静的変数を作成することです。

public final static String MANAGER_ROLE = 'manager';
public String manager_role = MANAGER_ROLE;

ロンボックを使用してゲッターとセッターを生成します。 ELは次のようになります。

${bean.manager_role}

http://www.ninthavenue.com.au/Java-static-constants-in-jsp-and-jsf-el の完全なコード

5
Roger Keays

私は次のように実装しました:

public interface Constants{
    Integer PAGE_SIZE = 20;
}

-

public class JspConstants extends HashMap<String, String> {

        public JspConstants() {
            Class c = Constants.class;
            Field[] fields = c.getDeclaredFields();
            for(Field field : fields) {
                int modifier = field.getModifiers();
                if(Modifier.isPublic(modifier) && Modifier.isStatic(modifier) && Modifier.isFinal(modifier)) {
                    try {
                        Object o = field.get(null);
                        put(field.getName(), o != null ? o.toString() : null);
                    } catch(IllegalAccessException ignored) {
                    }
                }
            }
        }

        @Override
        public String get(Object key) {
            String result = super.get(key);
            if(StringUtils.isEmpty(result)) {
                throw new IllegalArgumentException("Check key! The key is wrong, no such constant!");
            }
            return result;
        }
    }

次のステップでは、このクラスのインスタンスをservlerContextに入れます

public class ApplicationInitializer implements ServletContextListener {


    @Override
    public void contextInitialized(ServletContextEvent sce) {
        sce.getServletContext().setAttribute("Constants", new JspConstants());
    }

    @Override
    public void contextDestroyed(ServletContextEvent sce) {
    }
}

web.xmlにリスナーを追加します

<listener>
    <listener-class>com.example.ApplicationInitializer</listener-class>
</listener>

jspでのアクセス

${Constants.PAGE_SIZE}
5

私は最初にjspで定数を定義しています:

<%final String URI = "http://www.example.com/";%>

JSPにコアtaglibを含めます。

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

次に、次のステートメントで定数をELで使用できるようにします。

<c:set var="URI" value="<%=URI%>"></c:set>

これで、後で使用できます。次に、デバッグ目的で値がHTMLコメントとして書き込まれる例を示します。

<!-- ${URI} -->

定数クラスを使用すると、クラスをインポートして、定数をローカル変数に割り当てることができます。私の答えは一種の簡単なハックであることは知っていますが、JSPで定数を直接定義したい場合にも疑問が浮上します。

4
koppor

はい、できます。カスタムタグが必要です(他の場所で見つからない場合)。私はこれをやった:

package something;

import Java.lang.reflect.Field;
import Java.lang.reflect.Modifier;
import Java.util.Map;
import Java.util.TreeMap;

import javax.servlet.jsp.JspException;
import javax.servlet.jsp.tagext.TagSupport;

import org.Apache.taglibs.standard.tag.el.core.ExpressionUtil;

/**
 * Get all class constants (statics) and place into Map so they can be accessed
 * from EL.
 * @author Tim.sabin
 */
public class ConstMapTag extends TagSupport {
    public static final long serialVersionUID = 0x2ed23c0f306L;

    private String path = "";
    private String var = "";

    public void setPath (String path) throws JspException {
        this.path = (String)ExpressionUtil.evalNotNull ("constMap", "path",
          path, String.class, this, pageContext);
    }

    public void setVar (String var) throws JspException {
        this.var = (String)ExpressionUtil.evalNotNull ("constMap", "var",
          var, String.class, this, pageContext);
    }

    public int doStartTag () throws JspException {
        // Use Reflection to look up the desired field.
        try {
            Class<?> clazz = null;
            try {
                clazz = Class.forName (path);
            } catch (ClassNotFoundException ex) {
                throw new JspException ("Class " + path + " not found.");
            }
            Field [] flds = clazz.getDeclaredFields ();
            // Go through all the fields, and put static ones in a Map.
            Map<String, Object> constMap = new TreeMap<String, Object> ();
            for (int i = 0; i < flds.length; i++) {
                // Check to see if this is public static final. If not, it's not a constant.
                int mods = flds [i].getModifiers ();
                if (!Modifier.isFinal (mods) || !Modifier.isStatic (mods) ||
                  !Modifier.isPublic (mods)) {
                    continue;
                }
                Object val = null;
                try {
                    val = flds [i].get (null);    // null for static fields.
                } catch (Exception ex) {
                    System.out.println ("Problem getting value of " + flds [i].getName ());
                    continue;
                }
                // flds [i].get () automatically wraps primitives.
                // Place the constant into the Map.
                constMap.put (flds [i].getName (), val);
            }
            // Export the Map as a Page variable.
            pageContext.setAttribute (var, constMap);
        } catch (Exception ex) {
            if (!(ex instanceof JspException)) {
                throw new JspException ("Could not process constants from class " + path);
            } else {
                throw (JspException)ex;
            }
        }
        return SKIP_BODY;
    }
}

タグが呼び出されます:

<yourLib:constMap path="path.to.your.constantClass" var="consts" />

すべてのpublic static final変数は、Java nameでインデックス付けされたマップに入れられます。

public static final int MY_FIFTEEN = 15;

タグはこれを整数でラップし、JSPで参照できます。

<c:if test="${consts['MY_FIFTEEN'] eq 15}">

そして、ゲッターを書く必要はありません!

3
Tim Sabin

あなたはできる。フォローしてみてください

 #{T(com.example.Addresses).URL}

Tomcat 7およびJava6でテスト済み

3

@Bozhoはすでに素晴らしい答えを提供してくれました

通常、これらの種類の定数は、サーブレットコンテキストのConfigurationオブジェクト(ゲッターとセッターを含む)に配置し、$ {applicationScope.config.url}を使用してアクセスします。

ただし、例が必要だと感じているので、もう少しわかりやすく、時間を節約できます

@Component
public Configuration implements ServletContextAware {
    private String addressURL = Addresses.URL;

    // Declare other properties if you need as also add corresponding
    // getters and setters

    public String getAddressURL() {
        return addressURL;
    }

    public void setServletContext(ServletContext servletContext) {
        servletContext.setAttribute("config", this);
    }
}
2
lunohodov

少し遅れて知っていること、そしてこれを知っていることさえ少しハックです-私は望ましい結果を達成するために次の解決策を使用しました。あなたがJava-Naming-Conventionsの恋人なら、私のアドバイスはここで読むのをやめることです...

このようなクラスを持ち、定数を定義し、空のクラスでグループ化して一種の階層を作成します。

public class PERMISSION{
    public static class PAGE{
       public static final Long SEE = 1L; 
       public static final Long EDIT = 2L; 
       public static final Long DELETE = 4L; 
       ...
    }
}

Java as PERMISSION.PAGE.SEE値を取得する1L

EL-Expressions内から同様のアクセス可能性を実現するために、私はこれを行いました:(コーディングの神がいるなら、彼は私を許してくれるかもしれません:D)

@Named(value="PERMISSION")
public class PERMISSION{
    public static class PAGE{
       public static final Long SEE = 1L; 
       public static final Long EDIT = 2L; 
       public static final Long DELETE = 4L; 
       ...

       //EL Wrapper
       public Long getSEE(){
           return PAGE.SEE;
       }

       public Long getEDIT(){
           return PAGE.EDIT;
       }

       public Long getDELETE(){
           return PAGE.DELETE;
       }
    }

    //EL-Wrapper
    public PAGE getPAGE() {
        return new PAGE();
    }
}

最後に、まったく同じLongにアクセスするEL式は次のようになります。#{PERMISSION.PAGE.SEE}-JavaとEL-Accessの同等性。これは慣例に従わないことを知っていますが、完全に機能します。

2
dognose

回避策がありますが、これは正確には必要ではありませんが、最小限の方法でスクリプトレットに触れることでほぼ同じようにアクティブにできます。スクリプトレットを使用してJSTL変数に値を入力し、ページの後半でクリーンなJSTLコードを使用できます。

<%@ taglib prefix="c"       uri="http://Java.Sun.com/jsp/jstl/core" %>
<%@ page import="com.whichever.namespace.Addresses" %>
<c:set var="ourUrl" value="<%=Addresses.URL%>"/>
<c:if test='${"http://www.google.com" eq ourUrl}'>
   Google is our URL!
</c:if>
0
Artem