我正在准备面向对象建模和设计的考试,但无法弄清楚这个问题。
设计违反了开放原则;你不能在不修改类的情况下添加更多JButton。重做设计,以便这成为可能。设计应包含三个按钮和事件管理。避免重复的代码。用类图表展示新设计。
//other code
private Application application;
private JButton b1, b2, b3;
class ActionHandler implements ActionListener {
public void actionPerformed(ActionEvent e) {
if (e.getSource() == b1) {
application.action1();
} else if (e.getSource() == b2) {
application.action2();
} else {
application.action3();
}
}
}
答案 0 :(得分:1)
一种方法是将按钮保留在数据结构中。 在您的事件监听器中,您可以遍历这些项目。 此外,您可以使用添加按钮的方法。
示例:
private Application application;
private Map<JButton, Runnable> buttons = new LinkedHashMap<>();
public void addButton(JButton button, Runnable handler){
buttons.put(button, handler);
}
class ActionHandler implements ActionListener {
public void actionPerformed(ActionEvent e) {
// either iterate:
for(Map.Entry<JButton, Runnable> entry : buttons.entrySet()){
if(e.getSource()==entry.getKey()){
entry.getValue().run();
break;
}
}
// or (more efficient) access directly:
Runnable handler = buttons.get(e.getTarget());
if(handler!=null)handler.run();
}
}