JLabel数组将不会显示

时间:2018-12-26 07:08:47

标签: java arrays user-interface jpanel jlabel

我正在尝试制作一个具有标题面板,信息部分面板(InfoSect),以及稍后在用户将在其中键入和更改信息部分中的值的面板上的GUI。现在,我只能尝试显示面板。我不断收到有关包含JLabel数组的InfoSect面板的错误。我认为我正在初始化错误,但不确定如何或为什么。它似乎也影响了更简单的“标题”面板的显示。希望获得一些帮助,以使该面板显示在GUI中。

import java.awt.BorderLayout;
import java.awt.Color;
import java.awt.FlowLayout;
import java.awt.Font;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JPanel;

public class GUI extends JFrame{

    private JPanel main;
    Title tle1;
    InfoSect is;

    public GUI() {  
        main = new JPanel();
        tle1 = new Title();
        is = new InfoSect();

        main.setLayout(new BorderLayout());
        main.setBackground(Color.GRAY);

        add(main);
        main.add(tle1, BorderLayout.NORTH);
        main.add(is, BorderLayout.CENTER);

        setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        setSize(900,700);
        setVisible(true);
    }

    public static class Title extends JPanel{
        private JLabel title;

        public Title() {
            title = new JLabel("Change the Values");
            setLayout(new FlowLayout());
            add(title);
        }
    }

    public static class InfoSect extends JPanel{

        private JLabel[] info;
        private int COL = 4;

        public InfoSect() {
            info = new JLabel[COL];
            setLayout(new FlowLayout());
            displayInfo();
            add(info[COL]);
        }

        public void displayInfo() {
            for(int col=0;col<COL;col++) {
                Font font1 = new Font(Font.SANS_SERIF,Font.PLAIN,10);
                info[col].setFont(font1);
                info[col].setText("Holder");
                add(info[col]);
            }
        }
    }

}

例外是:

Exception in thread "AWT-EventQueue-0" java.lang.NullPointerException 
at build001.GUI$InfoSect.displayInfo(GUI.java:59) 
at build001.GUI$InfoSect.<init>(GUI.java:52) 
at build001.GUI.<init>(GUI.java:20) 

1 个答案:

答案 0 :(得分:0)

这个程序的问题是JLabel[] info的数组

info = new JLabel[COL];

此行只会初始化您的JLabel数组,而不会初始化每个JLabel。

因此您可以按以下方式修改displayInfo()函数以分别初始化JLabel。

public void displayInfo() {
        for(int col=0;col<COL;col++) {
            Font font1 = new Font(Font.SANS_SERIF,Font.PLAIN,10);
            info[col] = new JLabel();
            info[col].setFont(font1);
            info[col].setText("Holder");
            add(info[col]);
        }
}

infoSect()函数中的代码还有另一个问题,即您通过编写add(info[COL])一次添加整个JLabel数组,但是无法像这样添加整个数组,因此可以删除那行,因为您已经将每个JLabel添加到displayInfo()中的另一个函数add(info[col])中。

这可能对您想要的工作有用。