0

我正在编写带有摇摆 UI 的基本刽子手游戏的代码。我正在使用 for 循环来启动字母的所有按钮。但是我在第 39 行收到了一个空指针异常。我查看了它,但不确定它为什么不能正常工作。底部的 10 行左右的代码是引发问题的地方。

    import java.awt.Color;
    import javax.swing.*;

    public class GameUI {

    public static void main(String[] args){
        GameUI ui = new GameUI();
        ui.initializeUI();
    }

    public void initializeUI(){
        //initialize the window
        JFrame window = new JFrame();
        window.setSize(500,500);
        window.setResizable(false);
        window.setVisible(true);

        //initialize main panel
        JPanel wrapper = new JPanel();
        wrapper.setLayout(null);
        Color BGColor = new Color(240,230,140);
        wrapper.setBackground(BGColor);
        window.getContentPane().add(wrapper);

        //Creates JLAbel title, this is used for the title of the game
        JLabel title = new JLabel("Hangman v0.1");
        title.setBounds(10, 5, 200, 50);
        wrapper.add(title);
        //=================================================================
        //Creates JButtons for each letter (ERROR OCCURS BELLOW ON FIRST LINE AFTER LOOP BEIGNS)
        //=================================================================
        char[] alphabet = {'a','b','c','d','e','f','g','h','i','j','k','l','m','n','o','p','q','r','s','t','u','v','w','x','y','z'};
        JButton[] letterButtons = new JButton[26];

        int counter = 0;

        for (char letter:alphabet){
            letterButtons[counter].setText("" + letter);

            //sets positions for each button
            int posY = 50;
            int posX = counter*5 + 10;
            letterButtons[counter].setBounds(posX, posY, 10, 10);
            wrapper.add(letterButtons[counter]);
            counter++;
        }       
    }   
}
4

2 回答 2

7

Java 中null的对象是默认的。Object数组中的那些也不例外。您需要在尝试对其调用任何操作之前初始化您的JButton数组letterButtons

for (int i=0; i < letterButtons.length; i++) {
   letterButtons[i] = new JButton();
}
于 2013-05-11T02:31:23.580 回答
3

JButton[] letterButtons = new JButton[26];将每个数组元素初始化为 null。您必须遍历数组并为每个位置分配一个new JButton()

于 2013-05-11T02:31:25.437 回答