6

我有一个关于 Java 继承方法中的返回类型的问题。我有一个类和一个继承类。在继承的类中,有一个特定的方法。它还从返回自身实例的父类继承了一个方法。

我想要这样的类层次结构:

public class Foo {
    public Foo bar()
    {
        return this;
    }
}

public class FooInherited extends Foo {
    public Whatever baz()
    {
        return new Whatever();
    }
}

我的问题是我是否可以从它的实例调用继承的方法,然后调用特定的方法而不重写该方法以返回继承的类或显式地转换类。

现在我想要一个这样的代码片段:

FooInherited foo = new FooInherited();
Whatever w = foo.bar().baz();

我对此感到困难,但我不太确定Java在这种情况下是否有任何为程序员节省时间的机制。

4

3 回答 3

5

您可以使用泛型,但它很快就会变得丑陋。

class Base<This extends Base<This>> {

    public This myself() {
        return (This) this;
    }

}

class Sub<This extends Sub<This>> extends Base<This> {

    public void subOnly() {}

}

{
    Sub<?> sub = new Sub<>();
    sub.myself().subOnly();
    Base<?> base = sub;
    // base.myself().subOnly(); // compile error
}

另一种方法是显式覆盖该方法:

class Base {

    public Base myself() {
        return this;
    }

}

class Sub extends Base {

    @Override
    public Sub myself() {
        return this; // or return (Sub) super.myself();
    }

    public void subOnly() {}

}

{
    Sub sub = new Sub();
    sub.myself().subOnly();
    Base base = sub;
    // base.myself().subOnly(); // compile error
}
于 2012-10-26T09:42:15.733 回答
4

除非您覆盖子类中的方法,否则您将不得不强制转换:

FooInherited foo = new FooInherited();
Whatever w = ((FooInherited)foo.bar()).baz();

但是,由于 java 中的协变返回类型,您可以像这样覆盖它:

public class FooInherited extends Foo {


        @Override
        public FooInherited bar()
        {
            return this;
        }
 ...
 }

覆盖后,您不再需要强制转换,因为 foo 的静态类型是FooInherited

FooInherited foo = new FooInherited();
Whatever w = foo.bar().baz();
于 2012-10-26T09:44:11.377 回答
1

foo.bar()返回一个Foo实例并且它没有名为 as 的方法baz(),因此无法编译此语句:Whatever w = foo.bar().baz();

于 2012-10-26T09:42:22.313 回答