在JSF 2中,我声明了函数inspect
,它接受一个类型为java.lang.reflect.Method
的参数,并基于该参数执行一些注释检查并返回true
或false
。问题是,我想从JSF EL调用这个函数inspect
,以便能够根据返回值修改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)}"
/>
为什么不在服务器端尝试一下呢?在呈现页面之前,您知道该方法是否在当前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')}"
/>
如果使用EL>2.2,则不需要自定义EL函数。您可以使用以下参数直接从ManagedBean调用该方法:
#{someClass.someMethod('foo', 42)}
否则,您必须声明一个名称空间并在函数之前使用它:
#{namespace:inspect(someClass.someMethod)}
你可以在这里找到一个很好的解释。
但我不确定这对你的情况是否有效。即使可以将java.lang.reflect.Method
作为参数传递(从未尝试过),该方法也应该如何获取它们的参数?没有人经过。