在JButton上绘制椭圆

时间:2018-11-26 00:21:56

标签: java swing

我正在写扫雷器,我想在单击地雷后在椭圆形的地雷单元上放椭圆形。但是现在,我只想在所有单元格上放置椭圆形以进行检查。我已经写了下面的代码。但是,当我运行程序时,按钮上没有椭圆形。我看不出原因。如果能得到一些建议,我将不胜感激。

public class Cell extends JButton{
...
  public void painComponent(Graphics g) {
    super.paintComponent(g);
    g.setColor(Color.orange);
    g.drawOval(0,0,25,25);

}

public void draw() {
    repaint();
}
...
}



public class Grid extends JPanel implements MouseListener{
...
public Grid(){
    this.setLayout(new GridLayout(20,20));
    cells = new Cell[20][20];
    for(int i=0; i<20; i++) {
        for(int j=0; j<20; j++) {
            cells[i][j] = new Cell(i,j);
            cells[i][j].addMouseListener(this);
            cells[i][j].draw();
            this.add(cells[i][j]);
        }
    }
    plantMines();
    setVisible(true);

}
...
}

1 个答案:

答案 0 :(得分:0)

  

但是当我运行程序时,按钮上没有椭圆形。

public void painComponent(Graphics g) {

您打错了字。您拼写的“绘画”错误。

当您重写方法时,应使用:

@Override
protected void paintComponent(Graphics g)

这样,如果您输入错误,编译器就会告诉您您没有覆盖该类的方法。

此外,请勿尝试使用自定义绘画绘制椭圆形。相反,您应该在按钮上添加一个图标。然后,您可以根据需要更改图标。

您可以轻松创建一个简单的图标来使用。这是创建方形图标的示例:

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

public class ColorIcon implements Icon
{
    private Color color;
    private int width;
    private int height;

    public ColorIcon(Color color, int width, int height)
    {
        this.color = color;
        this.width = width;
        this.height = height;
    }

    public int getIconWidth()
    {
        return width;
    }

    public int getIconHeight()
    {
        return height;
    }

    public void paintIcon(Component c, Graphics g, int x, int y)
    {
        g.setColor(color);
        g.fillRect(x, y, width, height);
    }

    public static void main(String[] args)
    {
        SwingUtilities.invokeLater(new Runnable() {
            public void run() {
                createAndShowGUI();
            }
        });
    }

    public static void createAndShowGUI()
    {
        JPanel panel = new JPanel( new GridLayout(2, 2) );

        for (int i = 0; i < 4; i++)
        {
            Icon icon = new ColorIcon(Color.RED, 50, 50);
            JLabel label = new JLabel( icon );
            label.setText("" + i);
            label.setHorizontalTextPosition(JLabel.CENTER);
            label.setVerticalTextPosition(JLabel.CENTER);
            panel.add(label);
        }

        JFrame f = new JFrame();
        f.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        f.getContentPane().add(panel);
        f.setSize(200, 200);
        f.setLocationRelativeTo( null );
        f.setVisible(true);
    }
}