我有一个父类(super class),我想重写两个方法。这是我的代码:
public class MyCustomClass extends SomeSuperClass {
protected MyCustomClass(params) {
super(params);
}
@Override
public void method1() {
super.method1();
/* here goes my code */
}
@Override
public void method2() {
super.method2();
/* here goes my another code */
}
我有一些构造函数,它将 SomeSuperClass 对象作为参数传递,接下来我要做什么:
MyCustomClass object;
/* now i have object of type SomeSuperClass,
but with my own method1() and method2() */
object = (MyCustomClass) MyCustomClass.item(blahblah);
/* eclipse suggests casting, because MyCustomClass.item()
constructor still returns SomeSuperClass object */
otherobject = OtherConstructor.object(object);
//OtherConstructor passes SomeSuperClass object
这似乎是正确的,但我在执行时在 SomeSuperClass 中收到 java.lang.ClassCastException 。
如果我创建 SomeSuperClassObject,我将丢失我的重写方法。
使用强制转换,即使 eclipse 中没有错误,应用程序也会崩溃。
换句话说,我如何用我自己的方法覆盖 SomeSuperClass,并且仍然让 SomeSuperClass 对象与 OtherConstructor 一起使用?
如果这很重要,此代码适用于 android 应用程序。
最佳答案
作为一般规则,您可以将子类的实例转换为其父类:
MyCustomClass object = new MyCustomClass(params);
SomeSuperClass superClass = (SomeSuperClass) object;
但是,您不能将父类(super class)的实例转换为子类:
SomeSuperClass object = new SomeSuperClass(params);
MyCustomClass customClass = (MyCustomClass) object; // throws ClassCastException
这是因为
MyCustomClass
对象也是SomeSuperClass
对象,但并非所有SomeSuperClass
对象都是MyCustomClass
对象。您可以使用某些设计模式解决此问题。 Java 本身往往会大量使用 Decorator pattern。