1

在 JSF 2 中,我声明了一个函数inspect ,它接受一个类型的参数,java.lang.reflect.Method并基于这个参数执行一些注释检查并返回trueor false。问题是我想inspect从 JSF EL 调用这个函数,以便能够根据返回值修改 UI,但是我无法获得目标方法的引用以将其作为函数的参数传递,所以我想问怎么做?

例子

package some.pkg;

@ManagedBean( name = "someClass" )
public class SomeClass {

     @MyAnnotation
     public void someMethod( String arg1, Integer arg2 ) { /* ... */ }
}

JSF 函数声明

<function>
    <function-name>inspect</function-name>
    <function-class>some.pkg.Inspector</function-class>
    <function-signature>boolean inspect(java.lang.reflect.Method)</function-signature>
</function>

来自 JSF 的所需调用,但它不起作用

 <h:outputText 
    value="someMethod is annotated by @MyAnnotation" 
    rendered="#{inspect(someClass.someMethod)}"
 />

这也是可以接受的,但它不太舒服

 <h:outputText 
    value="someMethod is annotated by @MyAnnotation" 
    rendered="#{inspect(some.pkg.SomeClass.someMethod)}"
 />
4

2 回答 2

0

如果您使用的是 EL > 2.2,则不需要自定义 EL 函数。您可以使用参数直接从 ManagedBean 调用该方法:

#{someClass.someMethod('foo', 42)}

否则,您必须声明一个命名空间并在您的函数之前使用它:

#{namespace:inspect(someClass.someMethod)}

你可以在这里找到一个很好的解释

但我不确定这是否适用于您的情况。即使可以java.lang.reflect.Method作为参数传递(从未尝试过),方法应该如何获取它们的参数?没有人经过他们。

于 2013-07-18T05:11:11.240 回答
0

你为什么不在服务器端试试呢?您在呈现页面之前知道该方法是否在当前 bean 中注释,所以:

@ManagedBean( name = "someClass" )
public class SomeClass {

    boolean annotated = false;

    public boolean isAnnotated(){
        return annotated;
    }

    @PostConstruct
    public void postConstruct(){
        if (inspect(this.getClass().getMethod("someMethod")){
            annotated=true;
        }
    }

}

在您的 xhtml 页面中:

<h:outputText 
    value="someMethod is annotated by @MyAnnotation" 
    rendered="#{someClass.annotated}"
 />

您甚至可以调整它以使用参数并即时计算:

//Notice in this case we're using a METHOD, not a GETTER
public boolean annotated(String methodName){
    return inspect(this.getClass().getMethod(methodName);
}

像这样称呼它:

<h:outputText 
        value="someMethod is annotated by @MyAnnotation" 
        rendered="#{someClass.annotated('methodName')}"
     />

或者您可以使用@ApplicationScoped托管 bean 从每个视图中访问它:

@ManagedBean
@ApplicationScoped
public class InspectorBean{

    public boolean inspectMethod(String className, String methodName){
        return inspect(Class.forName(className).getMethod(methodName));
    }

}

然后您可以从所有视图中访问:

<h:outputText 
        value="someMethod is annotated by @MyAnnotation" 
        rendered="#{inspectorBean.inspectMethod('completeClassName','methodName')}"
     />
于 2013-07-18T11:20:25.540 回答