2

我有一个 JPanel,它的 paintComponent(Graphics g) 方法没有被调用。我知道这是一个常见问题,但到目前为止我发现的任何建议都无法解决它。这是 JPanel 的代码:

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

public class Grid extends JPanel

{
    Candy[][] gridRep = new Candy[8][8];
    public Grid()

    {
        this.setLayout(new GridLayout(8,8));
        this.populateRandom();
        this.repaint();
    }

    ...

    public void paintComponent(Graphics g){
        Graphics2D g2 = (Graphics2D)g;
        for (int r = 0; r<8; r++){
            for (int c = 0; c<8; c++){
                g2.setColor(gridRep[r][c].getColor());
                g2.drawOval(getXCoordinate(gridRep[r][c])*15, getYCoordinate(gridRep[r][c])*15, 10, 10);
                System.out.println("repainting");
            }
        }
    }

}

如您所见,我在构造函数中调用了 repaint(),但它什么也没做。我还在创建此类对象的 JFrame 类中称其为 willy nilly:

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

public class Game
{
    private Grid grid;
    private JFrame frame;
public Game(){
this.makeFrame();
}

private void makeFrame(){
    grid = new Grid();
    frame = new JFrame ("Frame");
    Container contentPane = frame.getContentPane();
    contentPane.setLayout(new FlowLayout());
    //grid.paint(grid.getGraphics());
    grid.repaint();
    frame.add(grid);
    grid.repaint();
    frame.pack();
    grid.repaint();
    frame.setVisible(true);
    grid.repaint();
}
4

3 回答 3

3

如您所见,我在构造函数中调用 repaint() ,但这没有任何作用

您不需要调用 repaint()。Swing 将决定何时需要重新绘制。

无论如何,在这种情况下它什么都不做,因为组件还没有被添加到 GUI 中。

 contentPane.setLayout(new FlowLayout());

您正在使用尊重组件大小的 FlowLayout。您进行绘画的自定义组件没有首选大小,因此其大小为 (0, 0),因此无需绘画。

重写该getPreferredSize()方法以返回组件的大小。看起来每个网格都是 (15, 15),所以你应该使用:

@Override Dimension getPreferredSize()
{
    return new Dimension(120, 120);
}

当然,最好为您的类定义变量以包含网格大小和网格数量,而不是在代码中硬编码 8 和 15。

于 2013-11-06T20:04:58.563 回答
3

你有一个布局问题。您正在使用 FlowLayout 并添加一个 preferredSize 为 0,0 的组件。要么使用 BorderLayout 要么给 Grid 一个获取首选大小的方法:

public Dimension getPreferredSize() {
   return new Dimension(somethingWidth, somethingHeight);
}
于 2013-11-06T20:05:31.653 回答
0

你错过了这一行:

super.paintComponent(g);
于 2013-11-06T20:01:20.903 回答