1

我想使用自定义注释“T9n”用字符串标签注释类属性。我宁愿这样做,也不愿引用对属性有弱引用的 messages.properties 文件(刚刚在 JSP 页面中定义)。我想做类似的事情:

注解:

@Target(ElementType.FIELD)
@Retention(RetentionPolicy.RUNTIME)
public @interface T9n {
    String value();
}

班级:

public class MyClass {

    @T9n("My Variable")
    private String variableName;
}

JSP(Spring表单JSTL标签):

<form:label path="variableName"><!-- Access T9n annotation here --></form:label>
<form:input path="variableName" />

这可能吗?我现在的想法是使用自定义 JSP 标签做一些事情,我无法通过搜索找到任何东西。

4

1 回答 1

1

最后我实现了一个自定义标签。我在这里找到了一篇定义步骤的好文章:

http://www.codeproject.com/Articles/31614/JSP-JSTL-Custom-Tag-Library

我获取 T9n 值的 Java 代码是:

public class T9nDictionaryTag extends TagSupport {

    private String fieldName;
    private String objectName;

    public int doStartTag() throws JspException {
        try {
            Object object = pageContext.getRequest().getAttribute(objectName);
            Class clazz = object.getClass();
            Field field = clazz.getDeclaredField(fieldName);

            if (field.isAnnotationPresent(T9n.class)) {
                T9n labelLookup = field.getAnnotation(T9n.class);
                JspWriter out = pageContext.getOut();
                out.print(labelLookup.value());
            }

        } catch(IOException e) {
            throw new JspException("Error: " + e.getMessage());
        } catch (SecurityException e) {
             throw new JspException("Error: " + e.getMessage());
        } catch (NoSuchFieldException e) {
             throw new JspException("Error: " + e.getMessage());
        }       
        return EVAL_PAGE;
    }

    public int doEndTag() throws JspException {
        return EVAL_PAGE;
    }

    public void setFieldName(String fieldName) {
        this.fieldName = fieldName;
    }

    public void setObjectName(String objectName) {
        this.objectName = objectName;
    }
}

所以它现在在我的 JSP 中看起来像这样:

<form:label path="variableName"><ct:t9n objectName="myObject" fieldName="variableName" /></form:label>
<form:input path="variableName" />

希望这在某些时候对其他人有所帮助

@Holger - 我本可以使用嵌入式 Java 代码,但这看起来很乱,不利于表示级别的分离。

于 2013-10-22T10:50:32.410 回答