打开新的 JFrame 时通过 JButton 关闭 JFrame

Closing a JFrame via JButton while opening a new JFrame

我知道这个问题已被问过数千次,但我从未找到适合我的答案。我正在为 Java 开发人员 (Eclipse Kepler) 使用 Java IDE。

我需要一个 JButton,单击它会关闭按钮所在的 JFrame,并打开一个存在于不同 class 中的新 JFrame。我有这个:

        JButton button = new JButton("Click Me!");
        add(button);
        

        button.addActionListener(new ActionListener() 
        {
            public void actionPerformed(ActionEvent e) {

            }
        }); 
        
    }

我不知道在 actionPerformed 之后放什么。和 frame.dispose();对我不起作用。

我在问,如何使用 JButton 关闭 JFrame,并通过单击同一个按钮同时打开一个新的 class 的 JFrame?

下面是一个可能有用的例子:

import java.awt.BorderLayout;
import java.awt.Dimension;
import java.awt.event.ActionEvent;
import java.awt.event.ActionListener;

import javax.swing.*;

public class MyFrame extends JFrame {

    public MyFrame() {

        setLayout(new BorderLayout());
        getContentPane().setPreferredSize(new Dimension(400, 250));

        JButton btn = new JButton("Click Me");
        btn.addActionListener(new ActionListener() { 
            public void actionPerformed(ActionEvent e) { 
                setVisible(false);

                JFrame frame2 = new JFrame();
                frame2.setDefaultCloseOperation(EXIT_ON_CLOSE);
                frame2.setLocation(300, 150);
                frame2.add(new JLabel("This is frame2."));
                frame2.setVisible(true);
                frame2.setSize(200, 200);

            } 
        } );
        add(btn,BorderLayout.SOUTH);

    }

    public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
            @Override
            public void run() {
                MyFrame frame = new MyFrame();
                frame.setDefaultCloseOperation(EXIT_ON_CLOSE);
                frame.pack();
                frame.setLocation(150, 150);
                frame.add(new JLabel("This is frame1."), BorderLayout.NORTH);
                frame.setVisible(true);
            }
        });
    }
}