是否可以将方法指定为方法参数?
e.g。
public void someMethod(String blah, int number, method MethodName)
其中MethodName是需要指定的其他方法的名称。
由于
答案 0 :(得分:1)
不,但您使用单个方法指定接口。您可以将匿名实现传递给方法
interface CompareOp {
int compare(Object o1, Object o2);
}
// Inside some class, call it Klass
public static int compare ( CompareOp comparator, Object o1, Object o2) {
return comparator.compare(o1, o2);
}
然后你会称之为
Klass.compare( new CompareOp(){
public int compare(Object o1, Object o2) {
return o1.hashCode() - o2.hashCode();
}
}, obj1, obj2 );
答案 1 :(得分:1)
使用反射,可以将Method
作为参数传递。您可以从java tutorial获取更多信息。它不像你那样。我建议您在开始使用reflecion之前考虑问题中与possible duplicate关联的选项。
答案 2 :(得分:0)
如果您希望someMethod
拨打MethodName
,那么您应该使用回调界面:
public interface Callback {
void callMeBack();
}
// ...
someObject.someMethod("blah", 2, new Callback() {
@Override
public void callMeBack() {
System.out.println("someMethod has called me back. I'll call methodName");
methodName();
}
});
答案 3 :(得分:0)
使用反射甚至可以使用以下代码:
import java.lang.reflect.Method;
public class Test {
public static void main(final String a[]) {
execute("parameter to firstMethod", "firstMethod");
execute("parameter to secondMethod", "secondMethod");
}
private static void execute(final String parameter, final String methodName) {
try {
final Method method = Test.class.getMethod(methodName, String.class);
method.invoke(Test.class, parameter);
} catch (final Exception e) {
e.printStackTrace();
}
}
public static void firstMethod(final String parameter) {
System.out.println("first Method " + parameter);
}
public static void secondMethod(final String parameter) {
System.out.println("first Method " + parameter);
}
}