[编辑:我已经重写了代码以进一步简化代码并专注于手头的问题]
我正在处理这段特殊代码:
class SimpleFactory {
public SimpleFactory build() {return null}
}
class SimpleFactoryBuilder {
public Object build(final Class builderClazz) {
return new SimpleFactory() {
@Override
public SimpleFactory build() {
return new builderClazz.newInstance();
}
};
}
}
但是,return语句中的构建器会触发错误“找不到符号newInstance”。就好像builderClazz未被识别为类对象一样。
我怎样才能让它发挥作用?
编辑:解决方案(感谢dcharms!)
上面的代码是我正在处理的代码的部分简化。下面的代码仍然是简化的,但包括所涉及的所有组件,并包括dcharms提供的解决方案。
package com.example.tests;
interface IProduct {};
interface ISimpleFactory {
public IProduct makeProduct();
}
class ProductImpl implements IProduct {
}
class SimpleFactoryBuilder {
public ISimpleFactory buildFactory(final Class productMakerClazz) {
return new ISimpleFactory() {
@Override
public IProduct makeProduct() {
try {
// the following line works: thanks dcharms!
return (IProduct) productMakerClazz.getConstructors()[0].newInstance();
// the following line -does not- work.
// return new productMakerClazz.newInstance();
}
catch (Exception e) {
// simplified error handling: getConstructors() and newInstance() can throw 5 types of exceptions!
return null;
}
}
};
}
}
public class Main {
public static void main(String[] args) {
SimpleFactoryBuilder sfb = new SimpleFactoryBuilder();
ISimpleFactory sf = sfb.buildFactory(ProductImpl.class);
IProduct product = sf.makeProduct();
}
}
答案 0 :(得分:1)
您不能以这种方式实例化新对象。 builder
是Class
个对象。请尝试以下方法:
return builder.getConstructors()[0].newInstance(anInput);
注意:这假设您使用的是第一个构造函数。您可以使用getConstructor()
,但我不确定它与泛型类型的行为方式。