2

这是我正在尝试做的事情:

class Foo {
    private ArrayList<Widget> things; //Contains WidgetA, WidgetB and WidgetAB objects
    //...
    void process(int wIndex) {
       process(things.get(wIndex);
    }

    private void process(WidgetA w) {
       //Do things
    }
    private void process(WidgetB w) {
       //Do other things
    }
    private void process(WidgetAB w) {
       //Do completely different things
    }
}

abstract class Widget {
    //...
}

class WidgetA extends Widget {
    //...
}
class WidgetB extends Widget {
}
class WidgetAB extends WidgetA {
}

基本上,一个单独的类从用户输入中获取一个数组索引,并将其传递给 process(int) 方法,该方法应该启动一个特定于类型的 process() 方法来处理传递索引处的对象。问题是这些对象被视为 Widget 对象,而不是 WidgetA 等。我猜我可以使用 instanceof 遍历类型,但我试图避免使用它。process() 方法中的逻辑需要访问 Foo 类中的私有字段,因此将它们移动到 Widget 子类可能不是最好的主意。

所以问题是,有没有一种方法可以为给定的 Widget 子类型调用正确的 process() 方法,而不使用 instanceof?

4

2 回答 2

3

是的,看看访客模式 - 也称为双重调度。

于 2012-04-11T19:06:12.367 回答
0

另一个潜在的解决方案是使用 Java 的反射 API。例子:

class Foo {
    private ArrayList<Widget> things; //Contains WidgetA, WidgetB and WidgetAB objects
    //...
    void process(int wIndex) {
        Widget theWidget = things.get(wIndex);
        try {
            Class type = theWidget.getClass();
            Class[] arg_types = new Class[]{type};
            this.getMethod("process", arg_types).invoke(this, theWidget);
        } catch (Exception e) {
            //Could be SecurityException or NoSuchMethodException
        }
    }

    private void process(WidgetA w) {
       //Do things
    }
    private void process(WidgetB w) {
       //Do other things
    }
    private void process(WidgetAB w) {
       //Do completely different things
    }
}

abstract class Widget {
    //...
}

class WidgetA extends Widget {
    //...
}
class WidgetB extends Widget {
}
class WidgetAB extends WidgetA {
}

这里的问题是您必须为列表process()中的每种类型的对象定义一个方法,things否则将在运行时引发异常。如果您缺少实现,编译器不会警告您。

于 2012-04-11T19:35:50.740 回答