今天在使用反射建立java對象的時候,遇到了點小問題,檢視API文檔關于getConstructor()和getDeclaredConstructor()方法寫的解釋模糊不清,就寫了幾個測試,驗證了getConstructor()與getDeclaredConstructor()方法的差別:
首先上代碼:
@[email protected]
public class HelloWorld {
private String username;
private HelloWorld() {
}
public void sayHello() {
System.out.println("歡迎來到王者榮耀:"+username);
}
}
在這裡,為了達到驗證的效果,故意将HelloWorld類的構造器私有化.接着使用Junit建立了一個測試方法testName
首先使用getConstructor()方法擷取構造器并建立對象,并不使用setAccessible()方法:
@Test
void testName() throws Exception {
HelloWorld world=null;
String className="hello.HelloWorld";
Constructor con=Class.forName(className).getConstructor();
Object obj=con.newInstance();
world=(HelloWorld) obj;
world.sayHello();
}
結果意料之中,報java.lang.NoSuchMethodException 錯:
接着,在上面的基礎上加上setAccessible()方法:
@Test
void testName() throws Exception {
HelloWorld world=null;
String className="hello.HelloWorld";
Constructor con=Class.forName(className).getConstructor();
con.setAccessible(true);
Object obj=con.newInstance();
world=(HelloWorld) obj;
world.sayHello();
}
運作發現還是同樣的配方,還是同樣的味道:java.lang.NoSuchMethodException
接下來,試一試使用getDeclaredConstructor()方法擷取構造器并建立對象,不使用setAccessible()方法:
@Test
void testName() throws Exception {
HelloWorld world=null;
String className="hello.HelloWorld";
Constructor con=Class.forName(className).getDeclaredConstructor();
Object obj=con.newInstance();
world=(HelloWorld) obj;
world.sayHello();
}
結果讓我有些失望,依然是報錯,但這次是java.lang.IllegalAccessException異常:
但是通過IllegalAccessException的字面意思,感覺有戲,再試:
@Test
void testName() throws Exception {
HelloWorld world=null;
String className="hello.HelloWorld";
Constructor con=Class.forName(className).getDeclaredConstructor();
con.setAccessible(true);
Object obj=con.newInstance();
world=(HelloWorld) obj;
world.sayHello();
}
結果果然沒讓人失望,控制台列印出了結果:
通過此次測試可以總結出:
- Class類的getConstructor()方法,無論是否設定setAccessible(),都不可擷取到類的私有構造器.
- Class類的getDeclaredConstructor()方法,可擷取到類的私有構造器(包括帶有其他修飾符的構造器),但在使用private的構造器時,必須設定setAccessible()為true,才可以擷取并操作該Constructor對象。
是以,以後在用反射建立一個私有化構造器類的對象時,務必要用getDeclaredConstructor()方法并設定構造器可通路setAccessible(true)