我对Java类字段有疑问。
我有两个Java类:Parent和Child
class Parent{
private int a;
private boolean b;
private long c;
// Setters and Getters
.....
}
class Child extends Parent {
private int d;
private float e;
// Setters and Getters
.....
}
现在我有一个Parent
类的实例。有没有办法创建Child
类的实例并复制父类的所有字段而不是逐个调用setter?
我不想这样做:
Child child = new Child();
child.setA(parent.getA());
child.setB(parent.getB());
......
此外,Parent
没有自定义构造函数,我无法在其上添加构造函数。
请给你意见。
非常感谢。
答案 0 :(得分:18)
你试过吗?
BeanUtils.copyProperties(child,parent)
http://commons.apache.org/beanutils/apidocs/org/apache/commons/beanutils/BeanUtils.html
答案 1 :(得分:5)
你可以使用反射我这样做,并为我工作正常:
public Child(Parent parent){
for (Method getMethod : parent.getClass().getMethods()) {
if (getMethod.getName().startsWith("get")) {
try {
Method setMethod = this.getClass().getMethod(getMethod.getName().replace("get", "set"), getMethod.getReturnType());
setMethod.invoke(this, getMethod.invoke(parent, (Object[]) null));
} catch (NoSuchMethodException | SecurityException | IllegalAccessException | IllegalArgumentException | InvocationTargetException ex) {
//not found set
}
}
}
}
答案 2 :(得分:1)
你有没有尝试过这种反思?技术上你逐个调用setter,但你不需要知道它们的所有名称。
答案 3 :(得分:0)
您可以将字段设置为protected
而不是私有,并直接在子类上访问它们。这有帮助吗?
答案 4 :(得分:0)
您可以创建一个接受Parent的Child
构造函数。但在那里,你必须逐个设置所有值(但你可以直接访问子属性,不设置)。
有一种使用反射的解决方法,但它只会增加复杂性。 你不希望它只是为了节省一些打字。