引用同一类中的方法时,Java Reflection NoSuchMethodException

时间:2017-06-29 14:31:44

标签: java reflection invoke nosuchmethod

当我尝试在同一个类中的方法上调用getMethod而没有从hashmap中提取的字符串名称时,我遇到NoSuchMethodException。在给定方法的String名称的情况下,在同一个类中调用方法的任何建议或其他方法? 获取方法的调用如下:

if (testChoices.containsKey(K)) {
        String method = testChoices.get(K);
        System.out.println(method);

        try {
            java.lang.reflect.Method m = TST.getClass().getMethod(method);
            m.invoke(testChoices.getClass());
        } catch (NoSuchMethodException e1) {
            // TODO Auto-generated catch block
            System.out.println("No method found");
            e1.printStackTrace();
        } catch (SecurityException e1) {
            // TODO Auto-generated catch block
            e1.printStackTrace();


        } catch (IllegalAccessException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        } catch (IllegalArgumentException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();
        } catch (InvocationTargetException e) {
            // TODO Auto-generated catch block
            e.printStackTrace();

我试图调用的方法之一是:

private static void testgetDomainLic() throws IOException {

正在调用的地图条目在这里:

testChoices.put(1, "testgetDomainLic");

2 个答案:

答案 0 :(得分:0)

我不是专家,但请尝试更改您的方法,使其不是私密的。

可以通过反射调用私有方法,但还有其他步骤。见Any way to Invoke a private method?

答案 1 :(得分:0)

我认为在您的情况下,您可以将getMethod更改为getDeclaredMethodgetMethod仅返回公共方法。

这里的打嗝是他们实际上有不同的语义其他,而不是他们是否返回非公共方法。 getDeclaredMethod仅包含声明而非继承的方法。

例如:

class Foo { protected void m() {} }
class Bar extends Foo {}
Foo actuallyBar = new Bar();
// This will throw NoSuchMethodException
// because m() is declared by Foo, not Bar:
actuallyBar.getClass().getDeclaredMethod("m");

在最糟糕的情况下,你必须循环遍历所有声明的方法,如:

Class<?> c = obj.getClass();
do {
    for (Method m : c.getDeclaredMethods())
        if (isAMatch(m))
            return m;
} while ((c = c.getSuperclass()) != null);

或者考虑接口(主要是因为它们现在可以声明静态方法):

List<Class<?>> classes = new ArrayList<>();
for (Class<?> c = obj.getClass(); c != null; c = c.getSuperclass())
    classes.add(c);
Collections.addAll(classes, obj.getClass().getInterfaces());
Method m = classes.stream()
                  .map(Class::getDeclaredMethods)
                  .flatMap(Arrays::stream)
                  .filter(this::isAMatch)
                  .findFirst()
                  .orElse(null);

作为旁注,您可能需要致电m.setAccessible(true),因为您正在声明它的类中调用它。但是,在其他情况下,这是必要的。