市面上绝大部分的教程讲解内部类的时候,基本上都是用Outer、Inner的例子,没有任何意义。这篇文章,将会让你从另一个角度去认识内部类。
首先,我们要监听多个按钮的事件(或其他组件),按照常规的写下法如下:
public class MainFrame implements ActionListener {
private JFrame frame = new JFrame();
private JLabel label = new JLabel("我是标签");
private JButton btn1 = new JButton("btn1");
private JButton btn2 = new JButton("btn2");
public static void main(String[] args) {
MainFrame mainFrame = new MainFrame();
mainFrame.go();
}
private void go() {
btn1.addActionListener(this);
btn2.addActionListener(this);
// 省略frame的一些设置...
}
@Override
public void actionPerformed(ActionEvent e) {
if (e.getSource() == btn1) {
label.setText("btn1点击了");
}
else if (e.getSource() == btn2) {
label.setText("btn2点击了");
}
}
}
从以上代码可以看出,如果继续往frame增加更多的组件,actionPerformed方法里的if-else将会显得非常难看,也失去了面向对象的气息。
如果我们将组件的ActionListener各自创建一个类,并且引入需要操作的组件的实例(如label实例),也会显得耦合度非常高。
因此,我们用内部类解决这个问题:
public class MainFrame {
private JFrame frame = new JFrame();
private JLabel label = new JLabel("我是标签");
private JButton btn1 = new JButton("btn1");
private JButton btn2 = new JButton("btn2");
public static void main(String[] args) {
MainFrame mainFrame = new MainFrame();
mainFrame.go();
}
private void go() {
btn1.addActionListener(new Btn1Listener());
btn2.addActionListener(new Btn2Listener());
// 省略frame的一些设置...
}
class Btn1Listener implements ActionListener {
@Override
public void actionPerformed(ActionEvent e) {
label.setText("btn1点击了");
}
}
class Btn2Listener implements ActionListener {
@Override
public void actionPerformed(ActionEvent e) {
label.setText("btn2点击了");
}
}
}
此时,各自Listener可以访问所在的外部类的所有属性和方法,就不需要持有多余的实例,耦合度降低,符合面向对象的理念。而且没有了让人蛋疼的if-else语句块,看上去舒适清爽。