我简化了我在底层SSCCE面临的问题。
正如人们所期望的那样,输出是B C D
。
如果我做了C
摘要,那么D
会被打印出来,之后会发生异常:
java.lang.InstantiationException
at sun.reflect.InstantiationExceptionConstructorAccessorImpl.newInstance(InstantiationExceptionConstructorAccessorImpl.java:48)
at java.lang.reflect.Constructor.newInstance(Constructor.java:423)
at A.recursiveCall(A.java:22)
at A.entryPoint(A.java:10)
at A.main(A.java:6)
由于层次结构中的某些类必然是抽象的,因此我的代码会中断。
我能想出的唯一解决方案是删除recursiveCall
方法并让classSpecificMethod
调用父实现。
为了避免这种引入的冗余和错误的可能性,我认为(我从未使用它)我可以使用AspectJ在编译时生成代码。但这似乎对我来说太过分了。至少目前是因为我没有其他用途。
如果在普通Java中没有其他方法可以做到这一点,我也欢迎使用其他JVM语言和工具的答案。
import java.lang.reflect.Constructor;
import java.lang.reflect.InvocationTargetException;
abstract class A {
public static void main(String[] args) {
new D().entryPoint();
}
void entryPoint() {
System.out.println(recursiveCall());
}
private String recursiveCall() {
String result = "";
Class<?> parentClass = getClass().getSuperclass();
if (parentClass != A.class) {
try {
Constructor<?> baseConstructor = parentClass.getDeclaredConstructor();
baseConstructor.setAccessible(true);
@SuppressWarnings("unchecked")
A baseInstance = (A) baseConstructor.newInstance();
result = baseInstance.recursiveCall() + " ";
}
catch (IllegalAccessException | NoSuchMethodException | InvocationTargetException | InstantiationException ex) {
ex.printStackTrace();
}
}
result += classSpecificMethod();
return result;
}
protected abstract String classSpecificMethod();
static class B extends A {
protected String classSpecificMethod() { return "B"; }
}
static class C extends B {
protected String classSpecificMethod() { return "C"; }
}
static class D extends C {
protected String classSpecificMethod() { return "D"; }
}
}
答案 0 :(得分:1)
您无法创建抽象类的实例。 我看到解决这个问题的唯一方法是让recursiveCall()跳过抽象类:
private String recursiveCall() {
String result = "";
Class<?> parentClass=getClass();
do {
parentClass = parentClass.getSuperclass();
} while (Modifier.isAbstract(parentClass.getModifiers()) && parentClass != A.class);
if (parentClass != A.class) {
try {
Constructor<?> baseConstructor = parentClass.getDeclaredConstructor();
baseConstructor.setAccessible(true);
@SuppressWarnings("unchecked")
A baseInstance = (A) baseConstructor.newInstance();
result = baseInstance.recursiveCall() + " ";
}
catch (IllegalAccessException | NoSuchMethodException | InvocationTargetException | InstantiationException ex) {
ex.printStackTrace();
}
}
result += classSpecificMethod();
return result;
}