最佳答案
拥有一个“ instanceof”操作链被认为是一种“代码味道”。标准答案是“使用多态性”。这种情况下我该怎么做?
一个基类有许多子类; 它们都不在我的控制之下。类似的情况可能发生在 Java 类 Integer、 Double、 BigDecimal 等。
if (obj instanceof Integer) {NumberStuff.handle((Integer)obj);}
else if (obj instanceof BigDecimal) {BigDecimalStuff.handle((BigDecimal)obj);}
else if (obj instanceof Double) {DoubleStuff.handle((Double)obj);}
我可以控制 NumberStuff 等等。
我不想在只有几行代码的情况下使用多行代码。(有时候我做一个 HashMap 映射 Integer.class 到 IntegerStuff 的一个实例,BigDecimal.class 到 BigDecimalStuff 的一个实例,等等。但今天,我想要一些更简单的东西。)
我想要这么简单的东西:
public static handle(Integer num) { ... }
public static handle(BigDecimal num) { ... }
但 Java 不是这样的。
我希望在格式化时使用静态方法。我正在格式化的内容是复合的,其中 Thing1可以包含一个 Thing2数组,Thing2可以包含一个 Thing1数组。我在实现这样的格式化程序时遇到了一个问题:
class Thing1Formatter {
private static Thing2Formatter thing2Formatter = new Thing2Formatter();
public format(Thing thing) {
thing2Formatter.format(thing.innerThing2);
}
}
class Thing2Formatter {
private static Thing1Formatter thing1Formatter = new Thing1Formatter();
public format(Thing2 thing) {
thing1Formatter.format(thing.innerThing1);
}
}
是的,我知道 HashMap,更多的代码也可以解决这个问题。但是相比之下,“ instanceof”似乎是可读的和可维护的。有没有简单但不难闻的东西?
2010年5月10日补充说明:
事实证明,将来可能会添加新的子类,我现有的代码将不得不优雅地处理它们。在这种情况下,Class 上的 HashMap 无法工作,因为找不到 Class。一系列 if 语句,从最具体的开始到最一般的结束,可能是最好的:
if (obj instanceof SubClass1) {
// Handle all the methods and properties of SubClass1
} else if (obj instanceof SubClass2) {
// Handle all the methods and properties of SubClass2
} else if (obj instanceof Interface3) {
// Unknown class but it implements Interface3
// so handle those methods and properties
} else if (obj instanceof Interface4) {
// likewise. May want to also handle case of
// object that implements both interfaces.
} else {
// New (unknown) subclass; do what I can with the base class
}