5

我将 JPanel 设置为 JFrame 的 contentPane。

当我使用:

jPanel.setBackground(Color.WHITE);

不应用白色。

但是当我使用:

jFrame.setBackground(Color.WHITE);

它有效......我对这种行为感到惊讶。它应该是相反的,不是吗?

SSCCE:

这是一个SSCCE:

主类:

public class Main {
    public static void main(String[] args) {
        Window win = new Window();
    }
}

窗口类:

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

public class Window extends JFrame {
    private Container mainContainer = new Container();

    public Window(){
        super();
        this.setTitle("My Paint");
        this.setSize(720, 576);
        this.setLocationRelativeTo(null);
        this.setResizable(true);
        this.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        mainContainer.setBackground(Color.WHITE); //Doesn't work whereas this.setBackground(Color.WHITE) works
        this.setContentPane(mainContainer);
        this.setVisible(true);
    }
}  

容器类:

import java.awt.Graphics;
import javax.swing.JPanel;

public class Container extends JPanel {
    public Container() {
        super();
    }
    public void paintComponent(Graphics g) { 
    }
}
4

2 回答 2

3

原因很简单,包括下面这行

super.paintComponent(g);

当你覆盖paintComponent。

public void paintComponent(Graphics g) { 
        super.paintComponent(g);
    }

现在它完美地工作了。

除非您有非常具体的理由,否则您应该始终这样做。

[PS:将颜色更改为红色或更深的颜色以注意差异,因为有时很难区分JFrame默认的灰色和白色]

于 2013-07-31T13:13:11.797 回答
1

使用我的测试代码,它可以按照您期望的方式工作:

public class Main {

        public static void main(String[] args) {

            JFrame f = new JFrame();
            f.setSize(new Dimension(400,400));
            f.setLocationRelativeTo(null);

            JPanel p = new JPanel();
            p.setSize(new Dimension(20,20));
            p.setLocation(20, 20);

            //comment these lines out as you wish. none, both, one or the other
            p.setBackground(Color.WHITE);
            f.setBackground(Color.BLUE);

            f.setContentPane(p);

            f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
            f.setVisible(true);

         }
      }
于 2013-07-31T12:04:04.587 回答