我有一个Dummy
类,它有一个名为sayHello
. 我想sayHello
从外面打电话Dummy
。我认为反射应该是可能的,但我得到了一个IllegalAccessException
. 有任何想法吗???
问问题
66921 次
5 回答
62
在使用setAccessible(true)
它的方法之前在你的 Method 对象上使用invoke
。
import java.lang.reflect.*;
class Dummy{
private void foo(){
System.out.println("hello foo()");
}
}
class Test{
public static void main(String[] args) throws Exception {
Dummy d = new Dummy();
Method m = Dummy.class.getDeclaredMethod("foo");
//m.invoke(d);// throws java.lang.IllegalAccessException
m.setAccessible(true);// Abracadabra
m.invoke(d);// now its OK
}
}
于 2012-07-01T13:16:13.570 回答
9
首先,您必须获取类,这非常简单,然后使用名称获取方法,getDeclaredMethod
然后您需要将该方法设置为可通过对象setAccessible
上的方法访问。Method
Class<?> clazz = Class.forName("test.Dummy");
Method m = clazz.getDeclaredMethod("sayHello");
m.setAccessible(true);
m.invoke(new Dummy());
于 2012-07-01T13:17:43.977 回答
8
method = object.getClass().getDeclaredMethod(methodName);
method.setAccessible(true);
method.invoke(object);
于 2012-07-01T13:19:53.280 回答
7
如果您想将任何参数传递给私有函数,您可以将其作为调用函数的第二个、第三个......参数传递。以下是示例代码。
Method meth = obj.getClass().getDeclaredMethod("getMyName", String.class);
meth.setAccessible(true);
String name = (String) meth.invoke(obj, "Green Goblin");
你可以在这里看到完整的例子
于 2014-01-23T14:00:09.580 回答
6
Example of accessing private method(with parameter) using java reflection as follows :
import java.lang.reflect.Field;
import java.lang.reflect.InvocationTargetException;
import java.lang.reflect.Method;
class Test
{
private void call(int n) //private method
{
System.out.println("in call() n: "+ n);
}
}
public class Sample
{
public static void main(String args[]) throws ClassNotFoundException, NoSuchMethodException, SecurityException, InstantiationException, IllegalAccessException, IllegalArgumentException, InvocationTargetException, NoSuchFieldException
{
Class c=Class.forName("Test"); //specify class name in quotes
Object obj=c.newInstance();
//----Accessing private Method
Method m=c.getDeclaredMethod("call",new Class[]{int.class}); //getting method with parameters
m.setAccessible(true);
m.invoke(obj,7);
}
}
于 2016-06-09T13:14:07.863 回答