如何解决无需反射即可从Java中的另一个基类方法调用基类方法
具体来说,对于派生对象Derived
的实例,可以在内部时显式调用基类bar()
(即Base
)的方法Base::bar()
Base::foo()
方法,即使bar()
方法在派生类中被覆盖。
例如,考虑使用C ++编写的这段代码:
struct Base {
virtual void foo() {
cout << "Base's foo()" << endl;
Base::bar(); // <--- This allows to invoke the method of a base class
}
virtual void bar() {
cout << "Base's bar()" << endl;
}
};
struct Derived: public Base {
virtual void foo() {
cout << "Derived's foo()" << endl;
Base::foo();
}
virtual void bar() {
cout << "Derived's bar()" << endl;
}
};
对Derived::foo()
的调用如下:
Base *p = new Derived();
p->foo();
将产生以下输出:
Derived's foo()
Base's foo()
Base's bar()
这与Java中的代码相当:
class Base {
public void foo() {
System.out.println("Base's foo()");
bar(); // <--- How to invoke the method of a base class here?
}
public void bar() {
System.out.println("Base's bar()");
}
}
class Derived extends Base {
@Override
public void foo() {
System.out.println("Derived's foo()");
super.foo();
}
@Override
public void bar() {
System.out.println("Derived's bar()");
}
}
Base p = new Derived();
p.foo();
问题是:
版权声明:本文内容由互联网用户自发贡献,该文观点与技术仅代表作者本人。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如发现本站有涉嫌侵权/违法违规的内容, 请发送邮件至 dio@foxmail.com 举报,一经查实,本站将立刻删除。