2

我有代码

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

public class MondrianPanel extends JPanel
{
    public MondrianPanel()
    {
        setPreferredSize(new Dimension(200, 600));
    }

    public void paintComponent(Graphics g) {
        for(int i = 0; i < 20; i++) {
            paint(g);
        }
    }

    public void paint(Graphics g)
    {
        Color c = new Color((int)Math.random()*255, (int)Math.random()*255, (int)Math.random()*255);
        g.setColor(c);
        g.fillRect((int)Math.random()*200, (int)Math.random()*600, (int)Math.random()*40, (int)Math.random()*40);
    }

}

我试图让它做的是在屏幕上的随机位置绘制一堆随机颜色的矩形。但是,当我运行它时,我只得到一个灰色框。我正在阅读这个问题使用 Java Swing 绘制多行,我看到你应该有一个单一的paintComponent,它调用了很多次,我尝试让我的代码适应这个,但它仍然不起作用。

4

1 回答 1

4

这里最大的问题(int) Math.random() * something是总是0。那是因为演员先执行并且是0然后乘以某物仍然是0

它应该是这样的:(int) (Math.random() * something)

然后,您应该重命名paint(Graphics g)draw(Graphics g),否则您会paint以错误的方式覆盖。

下面的代码可以根据您的需要工作:

public class TestPanel extends JPanel {
    public void paintComponent(Graphics g) {
        super.paintComponent(g);
        for (int i = 0; i < 20; i++) {
            draw(g);
        }
    }

    public void draw(Graphics g) {
        Color c = new Color((int) (Math.random() * 255), (int) (Math.random() * 255), (int) (Math.random() * 255));
        g.setColor(c);
        g.fillRect((int) (Math.random() * 400), (int) (Math.random() * 300), (int) (Math.random() * 40), (int) (Math.random() * 40));
    }

    public static void main(String[] args) {
        JFrame f = new JFrame();
        f.getContentPane().add(new TestPanel(), BorderLayout.CENTER);
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.setSize(400, 300);
        f.setVisible(true);
    }
}
于 2013-01-15T18:06:49.990 回答