0

当我使用 Eclipse 运行程序时,只显示一个按钮(左上角),但是当我在终端中使用 javac 时(大部分时间),所有按钮都会显示!这真的让我很烦。任何人都可以帮忙吗?谢谢!
这是我的构造函数:

    public TicTacToe(){
    super("Farm Tic-Tac-Toe");
    setSize(450,750);
    setVisible(true);
    setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

    Container cont = getContentPane();
    cont.setLayout(null);
    int newLine = 0;
    int lineCount = 0;
    for(int i = 0; i < buttons.length; i++){
        buttons[ i] = new JButton(blank);
        if(i == 3 || i == 6){
            newLine++;
            lineCount = 0;
        }
        buttons[ i].setBounds(lineCount*150,newLine*150,150,150);
        cont.add(buttons[ i]);
        buttons[ i].addActionListener(this);
        lineCount++;
    }
}

这是动作监听器...

    public void actionPerformed(ActionEvent e){
    for(int i = 0; i < buttons.length; i++){
        if(e.getSource()==buttons[ i]){
            if(turn%2==0){
                buttons[ i].setName("x");
                buttons[ i].setIcon(x);
                buttons[ i].removeActionListener(this);
            }
            else{
                buttons[ i].setName("o");
                buttons[ i].setIcon(o);
            }
            buttons[ i].removeActionListener(this);
        }
    }
    turn++;
    checkWin();
}



请不要告诉我太多关于我的代码设计有多糟糕,因为我(不是初学者,但是)不太擅长 Java。

4

3 回答 3

4

您在将所有组件添加到 GUIsetVisible(true) 之前调用,因此它不会全部显示。不要这样做。而是在添加所有组件setVisible(true) 后调用。

  • 正如许多人所建议的那样,不要使用空布局,而是学习和使用布局管理器。
  • 是的,再买一本书。
于 2012-11-07T17:33:58.463 回答
1

Eclipse GUI 仅呈现以某些非常特定的方式绘制的按钮。如果您的代码以不同的方式执行(例如,使用循环),Eclipse 将无法绘制它。

另外,使用 a LayoutManager,不要做类似的事情.setLayout(null)

于 2012-11-07T17:27:33.560 回答
1

问题的解决方法真的很简单……

第一个是缺少布局管理器,另一个是您显示 UI 的顺序(如前所述)

在此处输入图像描述

public class SimpleTicTacToe {

    public static void main(String[] args) {
        new SimpleTicTacToe();
    }

    public SimpleTicTacToe() {
        EventQueue.invokeLater(new Runnable() {
            @Override
            public void run() {
                try {
                    UIManager.setLookAndFeel(UIManager.getSystemLookAndFeelClassName());
                } catch (ClassNotFoundException ex) {
                } catch (InstantiationException ex) {
                } catch (IllegalAccessException ex) {
                } catch (UnsupportedLookAndFeelException ex) {
                }

                JFrame frame = new JFrame("Test");
                frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
                frame.setLayout(new BorderLayout());
                frame.add(new GamePane());
                frame.pack();
                frame.setLocationRelativeTo(null);
                frame.setVisible(true);
            }
        });
    }

    public class GamePane extends JPanel {

        public GamePane() {
            setLayout(new GridLayout(3, 3));
            for (int index = 0; index < 9; index++) {
                add(new JButton());
            }
        }

    }

}

花时间阅读使用 JFC/Swing 创建 GUI 以掌握基础知识。

于 2012-11-07T20:11:12.567 回答