1

这是一个奇怪的问题。我有一个解决方案,但我不知道为什么会首先出现问题。观察下面的代码:

// VERSION 1

public class test {

    public static void main(String[] args) {
        JFrame mainFrame = new JFrame("Test");
        JPanel inputPanel = new JPanel();

        mainFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        mainFrame.getContentPane().add(BorderLayout.CENTER, inputPanel);
        mainFrame.setBounds(100, 50, 200, 100);
        mainFrame.setVisible(true);

        JButton inputFileButton = new JButton("BROWSE");
        inputPanel.add(inputFileButton);
    }
}

它按预期工作。该按钮不执行任何操作,但可以正确呈现。现在,我添加了一个 JFileChooser(我计划稍后使用它,但现在我正在做的只是实例化它)。

// VERSION 2

public class test {

    public static void main(String[] args) {
        JFrame mainFrame = new JFrame("Test");
        JPanel inputPanel = new JPanel();

        mainFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        mainFrame.getContentPane().add(BorderLayout.CENTER, inputPanel);
        mainFrame.setBounds(100, 50, 200, 100);
        mainFrame.setVisible(true);

        JFileChooser inputFileChooser = new JFileChooser(); // NEW LINE

        JButton inputFileButton = new JButton("BROWSE");
        inputPanel.add(inputFileButton);
    }
}

突然我的按钮不再呈现。为什么?我知道两种让它再次工作的方法,但对我来说都没有 100% 的意义。一种解决方法:

// VERSION 3

public class test {

    public static void main(String[] args) {
        JFrame mainFrame = new JFrame("Test");
        JPanel inputPanel = new JPanel();

        mainFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        mainFrame.getContentPane().add(BorderLayout.CENTER, inputPanel);
        mainFrame.setBounds(100, 50, 200, 100);
        mainFrame.setVisible(true);

        JButton inputFileButton = new JButton("BROWSE");
        inputPanel.add(inputFileButton);

        JFileChooser inputFileChooser = new JFileChooser(); // MOVE LINE TO END
    }
}

因此,将该行移到末尾允许按钮再次呈现,但这对我来说仍然没有意义,实例化的 JFileChooser 与未连接的按钮有什么关系。我可以解决此问题的另一种方法:

// VERSION 4

public class test {

    public static void main(String[] args) {
        JFrame mainFrame = new JFrame("Test");
        JPanel inputPanel = new JPanel();

        mainFrame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        mainFrame.getContentPane().add(BorderLayout.CENTER, inputPanel);
        mainFrame.setBounds(100, 50, 200, 100);

        JFileChooser inputFileChooser = new JFileChooser();

        JButton inputFileButton = new JButton("BROWSE");
        inputPanel.add(inputFileButton);

        mainFrame.setVisible(true); // MOVE *THIS* LINE TO THE END            
    }
}

为什么上面的版本解决了这个问题是有道理的……显然,关于 JFileChoose 实例化的某些东西使我的按钮不可见,但是这个 setVisible() 方法随后将它带回了光明。但这仍然不能告诉我为什么它一开始就看不见了。

有人可以帮我弄清楚我错过了什么吗?谢谢!

4

1 回答 1

5

您正在使您的mainFrame可见并随后添加按钮。看看这个 SO question你需要采取哪些步骤来确保你的按钮是可见的。

它在您的第一个示例中起作用的原因可能是纯粹的运气。您添加按钮的调用将在 EDT 显示您的组件之前执行。

注意:请在 EDT 上进行 Swing 操作

于 2012-04-07T07:38:59.467 回答