我的问题是Method chaining + inheritance don’t play well together?的背景。 但不幸的是,方法链的所有示例/答案都使用单级继承。 我的用例涉及多级继承,例如
abstract class PetBuilder{...}
class DogBuilder extends PetBuilder{..}
class DogType1Builder extends DogBuilder {...}
要构建一个Dog Object,我将使用DogBuilder或DogType1Builder
如何在上述用例中使用getThis技巧?
我想使用构建器模式构建复杂的Dog对象(Dog Object Model)“。 DogType1将添加一些属性。
所以使用getThis上面的类的Trick声明将变得像
abstract class PetBuilder<T extends PetBuilder<T>>
class DogBuilder<T extends DogBuilder<T>> extends PetBuilder<DogBuilder<T>>
class DogType1Builder extends DogBuilder<DogType1Builder>
现在这会产生两个问题
public T someMethodInDog(String dogName) {
..
return (T)this; ///i dont want type casting and i cant use getThis Trick Here (compiler reports error for conversion from DogBuilder to T)
}
2.由于DogBuilder已经参数化,所以要创建“DogBuilder”的实例,我将不得不使用
DogBuilder<DogBuilder> builder=new DogBuilder(); //passing <DogBuilder> type ...real pain
有更好的方法吗?
答案 0 :(得分:8)
你的问题的根源是一个类设计问题:你试图从一个具体的类继承,这几乎总是一个错误,并且(你的例子)必然导致众多问题。要坚持使用引用线程中给出的示例,您不应该实例化Dog
,因为在这样的Universe中,通常不存在Dog
,只有Pet
s - 只有Poodle
s,NewFoundland
s,Spaniel
等。因此,getThis
不应在中级(抽象)类中实现,只能在(具体)叶子中实现类。在所有中级抽象类中,您应该只引用泛型类型参数T
,而不是实际的类名。
以下是根据上述规则重写的the answer to the referred thread中的示例:
public class TestClass {
static abstract class Pet <T extends Pet<T>> {
private String name;
protected abstract T getThis();
public T setName(String name) {
this.name = name;
return getThis(); }
}
static class Cat extends Pet<Cat> {
@Override protected Cat getThis() { return this; }
public Cat catchMice() {
System.out.println("I caught a mouse!");
return getThis();
}
}
// Dog is abstract - only concrete dog breeds can be instantiated
static abstract class Dog<T extends Dog<T>> extends Pet<T> {
// getThis is not implemented here - only in concrete subclasses
// Return the concrete dog breed, not Dog in general
public T catchFrisbee() {
System.out.println("I caught a frisbee!");
return getThis();
}
}
static class Poodle extends Dog<Poodle> {
@Override protected Poodle getThis() { return this; }
public Poodle sleep() {
System.out.println("I am sleeping!");
return getThis();
}
}
static class NewFoundland extends Dog<NewFoundland> {
@Override protected NewFoundland getThis() { return this; }
public NewFoundland swim() {
System.out.println("I am swimming!");
return getThis();
}
}
public static void main(String[] args) {
Cat c = new Cat();
c.setName("Morris").catchMice();
Poodle d = new Poodle();
d.setName("Snoopy").catchFrisbee().sleep();
NewFoundland f = new NewFoundland();
f.setName("Snoopy").swim().catchFrisbee();
}
}
答案 1 :(得分:1)
我不相信你可以使用getThis
技巧进行多级继承。您拥有超类Pet<T extends Pet<T>>
,第一个子类Dog extends Pet<Dog>
和第二个子类Poodle extends Dog
。使用getThis
技巧,您可以使用protected T getThis()
方法和public T rollOver()
等方法。这意味着Poodle
和Dog
都有方法protected Dog getThis()
和public Dog rollOver()
。
我会按照Michael Myers' suggestion使用协变返回类型。