Android/Java: Calling a method using reflection?

2020-02-05 20:18发布

I have a static method titled chooseDialog(String s, int i) in which I want to call another method within the same class (Dialogs.class) based on the parameters provided to chooseDialog. s is the name of the desired method and i is it's single parameter.

I have tried numerous tutorials and have spent a few hours reading up on the subject but I can't seem to get a firm grasp as to what exactly I need to do.

Any ideas?

Thanks!

4条回答
\"骚年 ilove
2楼-- · 2020-02-05 20:49
Method method = Dialogs.getMethod(s, Integer.class);
method.invoke(null, i);
查看更多
家丑人穷心不美
3楼-- · 2020-02-05 20:51

If you just want to call another static method on the class, then you can use the approach already identified by others:

Method method = Dialogs.getMethod(s, Integer.class);
method.invoke(null, i);

But if you want to be able to use a static method to call an non-static method, then you will need to pass in the object that you want to reference or make chooseDialog non-static.

function chooseDialog(Object o, String s, Integer i) {
    Method method = Dialogs.getMethod(o, Integer.class);
    method.invoke(o, i);
}

But I don't think that this is the correct OOP way to handle the problem. And based on your comments, reflection isn't absolutely necessary, and have chooseDialog analyze the string and pass that to the appropriate method is a much more typesafe approach. In either approach, your unit tests should look the same.

    if (s.equals("dialog1")) {
        dialog1(i);
    }
查看更多
够拽才男人
4楼-- · 2020-02-05 20:52

Why do you want to call a method with name passed in a String parameter? Cannot you create a constants for different actions, then use switch and in each case call the method with parameter i?

You will have the benefit of compiler checking your code for errors.

edit: if you really want to use reflection, retrieve a Method object with:

Method m = YourClass.class.getMethod("method_name",new Class[] { Integer.class }) 

I guess Integer.class might work. Then invoke the metod as

m.invoke(null,123); //first argument is the object to invoke on, ignored if static method
查看更多
啃猪蹄的小仙女
5楼-- · 2020-02-05 20:54

The following method will invoke the method and return true on success:

public static boolean invokeMethod(Object object,String methodName,Object... args)  {
    Class[] argClasses = new Class[args.length];
    try {
        Method m = object.getClass().getMethod(methodName,argClasses);
        m.setAccessible(true);
        m.invoke(object,args);
        return true;
    } catch (Exception ignore) {
        return false;
    }

}

Usage: invokeMethod(myObject,"methodName","argument1","argument2");

查看更多
登录 后发表回答