将JPanel添加到主面板

时间:2016-11-28 00:44:49

标签: java swing frames panels

所以我创建了三个类,主方法类,Frame类和JPanel类。在JPanel类中,我想添加三个JPanel,一个在JFrame的顶部,一个在中心,一个在底部。我的JPanel和JFrame类的代码如下: 的JPanel:

public class ConcertPanel extends JPanel
{
public ConcertPanel() 
{
    JPanel ConcertPanel = new JPanel(new FlowLayout(FlowLayout.CENTER));

    JPanel Panel1 = new JPanel();  
    Panel1.setSize(800,200);
    Panel1.setBackground(Color.BLUE);

    JPanel Panel2 = new JPanel(); 
    Panel2.setSize(800,400);
    Panel1.setBackground(Color.GREEN);

    JPanel Panel3 = new JPanel(); 
    Panel3.setSize(800,200);
    Panel1.setBackground(Color.GRAY);

    this.add(Panel1);
    this.add(Panel2);
    this.add(Panel3);
}        
}

public class ConcertFrame extends JFrame 
{
private ConcertPanel controlPane;
// The constructor
public ConcertFrame()
{
    controlPane = new ConcertPanel() ;
    this.add(controlPane);
....

当这个项目运行时,没有出现错误,但是当JFrame弹出时,它不会给我三个不同颜色的面板,但顶部只有一个小灰框。谁能告诉我为什么或有帮助?

1 个答案:

答案 0 :(得分:1)

一个主要问题是代码不考虑preferredSize或布局管理器。

所有彩色JPanel的首选尺寸为0,0,设置尺寸不会影响此尺寸。由于他们被添加到JPanel,其默认布局管理器是FlowLayout,因此布局不会增加其大小。因此,由于大多数布局管理器都尊重首选大小而不是实际大小,并且FlowLayout没有改变这一点,因此添加了JPanels ,但从未见过。

相反,如果所有组件都具有相同的大小,则考虑使用其他布局作为主容器,例如GridLayout;如果所有组件都放在一行或一列中,则考虑使用BoxLayout。考虑覆盖getPreferredSize方法,但要小心谨慎,只在需要时。

A"作弊"解决方案是将setSize(...)更改为setPreferredSize(new Dimensnion(...)),但这令人不悦。

例如:

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

@SuppressWarnings("serial")
public class ColorPanels extends JPanel {
    public ColorPanels() {
        setLayout(new BoxLayout(this, BoxLayout.PAGE_AXIS));
        add(new ColorPanel(Color.BLUE, 800, 200));
        add(new ColorPanel(Color.GREEN, 800, 400));
        add(new ColorPanel(Color.GRAY, 800, 200));
    }

    private static class ColorPanel extends JPanel {

        private int w;
        private int h;

        public ColorPanel(Color color, int w, int h) {
            this.w = w;
            this.h = h;
            setBackground(color);
        }

        @Override
        public Dimension getPreferredSize() {
            if (isPreferredSizeSet()) {
                return super.getPreferredSize();
            }
            return new Dimension(w, h);
        }

    }

    private static void createAndShowGui() {
        ColorPanels mainPanel = new ColorPanels();

        JFrame frame = new JFrame("ColorPanels");
        frame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
        frame.getContentPane().add(mainPanel);
        frame.pack();
        frame.setLocationRelativeTo(null);
        frame.setVisible(true);
    }

    public static void main(String[] args) {
        SwingUtilities.invokeLater(() -> createAndShowGui());
    }
}