0

当我尝试绘制到 JPanel 的扩展版本时,我一直遇到这个问题。每次,我最终都会找到一种方法让它发挥作用。但是我想确切地知道为什么以这种方式绘制到 JPanel 不起作用?

public class MyPanel extends JPanel {

public MyPanel(){
    init();
}

public void init(){
    JFrame frame = new JFrame("");
    frame.add(this);
    this.setPreferredSize(new Dimension(100,100));
    this.setBackground(Color.RED);
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    frame.pack();
    frame.setVisible(true);

    Graphics g = this.getGraphics();
    g.setColor(Color.BLUE);
    g.fillRect(0, 0, 50, 50);
}

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

}

当我运行此代码时,我看到了 setBackground(Color.RED) 所期望的红色背景,但我没有看到使用 Graphics 对象绘制的蓝色矩形。即使我在 init() 的最后一行调用 repaint(),它也不会出现。

这段代码有什么问题,所以我以后可以避免它?

4

2 回答 2

3

为什么我不能使用 Graphics 在我的 JPanel 上绘画?

因为这不是正确的做法。您应该覆盖该paintComponent方法:

public class MyPanel extends JPanel {

    public MyPanel(){
        init();
    }

    public void init(){
        JFrame frame = new JFrame("");
        frame.add(this);
        this.setPreferredSize(new Dimension(100,100));
        this.setBackground(Color.RED);
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.pack();
        frame.setVisible(true);

    }

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

    @Override
    public void paintComponent(Graphics g) {
        super.paintComponent(g);
        g.setColor(Color.BLUE);
        g.fillRect(0, 0, 50, 50);
    }
}

如果您不这样做,您的绘图将只显示一会,然后它就会消失。这样,每当您调用该repaint方法(或每当应用程序自身重新绘制时),都会调用该方法并填充您的矩形。

于 2013-11-04T22:23:51.070 回答
2

Swing 中的自定义绘制通常是通过覆盖paintComponent扩展自的类的方法来完成的JComponent

有关详细信息,请参阅执行自定义绘画

基本上,问题是,在 Swing 中绘制是破坏性的过程。每次绘制周期发生时,您都需要清洁并重新生成输出。 getGraphics不可靠。它可以返回 null 并且您paint使用它的任何内容都将在下一个绘制周期中被过度绘制

于 2013-11-04T22:26:04.460 回答