我是Java的新手,我理解继承的基本基本概念。我有一个关于通过超类引用的问题。由于从超类继承或使用接口实现的类的方法可以通过超类引用(接口或类)引用。当扩展和实现都涉及到类时,它将如何工作?
class A {
void test() {
System.out.println("One");
}
}
interface J {
void first();
}
// This class object can referenced using A like A a = new B()
class B extends A {
// code
}
// This class object can referenced using J like J j = new B()
class B implements J {
// code
}
// my question is what happens in case of below which referencing for runtime polymorphism?
class B extends A implements J {
// code
}
无法编译:
Main.java:16: error: duplicate class: B class B implements J { ^ Main.java:21: error: duplicate class: B class B extends A implements J { ^ 2 errors
答案 0 :(得分:0)
如果扩展和实现都涉及到一个类,它将如何工作?
假设这是你的问题。
extends 关键字用于扩展超类。
implements 用于实现接口
接口和超类之间的区别在于,在接口中,您无法指定整体的特定实现(仅“接口” - 接口无法实例化,而是实现)。因此,这意味着您只能指定要包含的方法,但不能在同一意义上在项目中实现它们。
答案 1 :(得分:0)
引用超类方法与接口方法时可能会有一些差异,特别是当您使用super
来调用它们时。考虑这些接口/类:
public interface MyIFace {
void ifaceMethod1();
}
public class MyParentClass {
void parentClassMethod1();
}
public class MyClass extends MyParentClass implements MyIFace {
public void someChildMethod() {
ifaceMethods(); // call the interface method
parentClassMethod1(); // call the parent method just like you would another method. If you override it in here, this will call the overridden method
super.parentClassMethod1(); // you can use for a parent class method. this will call the parent's version even if you override it in here
}
@Override
public void ifaceMethod1() {
// implementation
}
}
public class AnExternalClass {
MyParentClass c = new MyClass();
c.parentClassMethod1(); // if MyClass overrides parentClassMethod1, this will call the MyClass version of the method since it uses the runtime type, not the static compile time type
}
通常,调用不带super
的方法将调用类的运行时版本实现的方法(无论方法是来自类还是接口)