这是this question about java private constructors的后续内容。
假设我有以下课程:
class Foo<T>
{
private T arg;
private Foo(T t) {
// private!
this.arg = t;
}
@Override
public String toString() {
return "My argument is: " + arg;
}
}
如何使用反射构建new Foo("hello")
?
ANSWER
基于jtahlborn's answer,以下作品:
public class Example {
public static void main(final String[] args) throws Exception {
Constructor<Foo> constructor;
constructor = Foo.class.getDeclaredConstructor(Object.class);
constructor.setAccessible(true);
Foo<String> foo = constructor.newInstance("arg1");
System.out.println(foo);
}
}
答案 0 :(得分:43)
确保在获取构造函数时使用getDeclaredConstructors
,并将其可访问性设置为true,因为它是私有的。
这样的事情应该有效。
Constructor<Foo> constructor= (Constructor<Foo>) Foo.class.getDeclaredConstructors()[0];
constructor.setAccessible(true);
Foo obj = constructor.newInstance("foo");
System.out.println(obj);
<强>更新强>
如果要使用getDeclaredConstructor,请将Object.class作为参数传递,转换为通用T。
Class fooClazz = Class.forName("path.to.package.Foo");
Constructor<Foo> constructor = fooClazz.getDeclaredConstructor(Object.class);
constructor.setAccessible(true);
Foo obj = constructor.newInstance("foo");
System.out.println(obj);
答案 1 :(得分:27)
你需要获取类,找到带有T的下限的单个参数的构造函数(在本例中为Object),强制构造函数可访问(使用setAccessible
方法),并且最后用所需的参数调用它。
答案 2 :(得分:9)
如果私有构造函数没有接受任何参数,那么我们在创建新实例时获取问题,在这种情况下,在setAccessible为true后我们无法创建对象。
即使construct.newInstance(null);
也不会为没有参数的构造函数创建对象。
我们可以使用反射创建下面代码的对象:
public class Singleton {
private static Singleton instance = new Singleton();
/* private constructor */
private Singleton() {}
public static Singleton getDefaultInstance() {
return instance;
}
}
是的,我们可以创建上面的类的对象。
// reflection concept to get constructor of a Singleton class.
Constructor<Singleton> constructor = Singleton.class.getDeclaredConstructor();
// change the accessibility of constructor for outside a class object creation.
constructor.setAccessible(true);
// creates object of a class as constructor is accessible now.
Singleton secondOb = constructor.newInstance();
// close the accessibility of a constructor.
constructor.setAccessible(false);
您可以参考:示例2:&#34;急切初始化&#34; &#34;反映单身违规&#34;我的博客:http://sanjaymadnani.wordpress.com/2014/04/14/singleton-design-pattern-in-java/
答案 3 :(得分:3)
正如@ArtB所说,你可以使用dp4j.com,如果你知道你想在编译时使用的构造函数。在项目主页上有一个例子,访问Singleton构造函数。
而不是JUnit的@Test注释用@Reflect注入Reflection的方法:
public class Example {
@com.dp4j.Reflect
public static void main(final String[] args){
Foo<String> foo = new Foo("hello");
System.out.println(foo);
}
}
要查看反射生成代码,请使用-this answer中的-Averbose = true参数。
答案 4 :(得分:2)
如果Junit测试类(在测试文件夹中)具有与实际类相同的包名,那么从Junit测试用例中,我们可以调用所有私有方法进行测试,而不需要任何额外的库,如dp4j。
答案 5 :(得分:1)
JUnit(dp4j)有一个库,可以自动插入访问私有方法的代码。这可能有用。
答案 6 :(得分:0)
起初,我使用反射获取了NoSuchMethodException。
使用此:
Constructor<TestClass> constructor= (Constructor<TestClass>) TestClass.class.getDeclaredConstructors()[0];