我正在尝试重构以下代码:
class Base {
private Object a, b, <...>; // there's like 10 of these attributes of different type
public Object a() {
return a;
}
public Object b() {
return b;
}
// more getters like the ones above
}
class RootNode extends Base { }
class BranchNode extends Base {
private RootNode root; // passed via constructor
public Object a() {
Object value = super.a();
return value != null ? value : root.a();
}
public Object b() {
Object value = super.b();
return value != null ? value : root.b();
}
// below are more methods like the above one, all with same logic
}
当然,我想删除此代码中的重复,以避免在添加新属性时输入更多相同的行,但我无法弄清楚如何做到这一点.
我的第一直觉是它看起来很像这个代码(不幸的是,它不能编译):
private T nvlGet(Function accessor) {
T value = accessor.apply(super); // this is the problem line, because there is no way to pass a "super-reference" to anything
return value != null ? value : accessor.apply(root);
}
// and then public accessors would look like this:
public Object a() {
return nvlGet(Base::a);
}
我无法通过调用accessor.apply(this)而不是accessor.apply(super)来“修复”上面的代码,因为这会导致Stack Overflow错误.
到目前为止,我设法得到的最近是使用绑定供应商,如下所示:
private T nvlGet(Supplier first, Supplier second) {
T value = first.get();
return value != null ? value : second.get();
}
public Object a() {
return nvlGet(super::a, root::a);
}
然而,这是我在理想世界中所拥有的相同方法的两倍.所以,我想知道我是否遗漏了一些东西,我仍然能以某种方式修复使用Function< Base,T>的版本.