1

我已经开始为我的 Java 类开发一个项目 - LAN gomoku/连续五个。游戏板由一个填充有按钮 (JButton) 的二维数组表示。使用事件处理程序(clickHandler 类),我想在单击的按钮上绘制一个椭圆(clickHandler 对象的参数)。我的以下代码没有工作(我不知道如何摆脱变量 g 的空值)......我将不胜感激任何建议。十分感谢。

    class clickHandler implements ActionListener {

        JButton button;
        Dimension size;
        Graphics g;

        public clickHandler(JButton button) {
            this.button = button;
            this.size = this.button.getPreferredSize();
        }

        @Override
        public void actionPerformed(ActionEvent ae) {
                this.g.setColor(Color.BLUE);
                this.g.fillOval(this.button.getHorizontalAlignment(), this.button.getVerticalAlignment(), this.size.width, this.size.height);

                this.button.paint(this.g);
                this.button.setEnabled(false);
        }
    }

(在创建 GUI 的类中 - 充满按钮的游戏板 - 我为每个按钮分配一个新的 Action Listener - clickHandler 的实例)这样:

    gButton.addActionListener(new clickHandler(gButton));
4

1 回答 1

4

你必须:

  • 扩展 JButton 类,并覆盖该paintComponent(Graphics g)方法。
  • 执行覆盖getPreferredSize()方法,该方法将返回Dimension对象,并通过为其提供适当的大小来帮助Layout Manager您将其放置在JButton上。Container/Component

  • 在那里制作你的圈子代码。

  • 添加一个onClickListener,如果被点击,则在被点击的按钮上设置一个标志,并调用它来重绘。


关于Graphics对象:最好将它保存在它的paintComponent方法中,并且只在那里使用它。它总是会在重绘时传递,如果你将它保存到其他时刻,可能会发生奇怪的事情(快乐的实验:))。

一个小例子:

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

public class ButtonExample
{
    private MyButton customButton;

    private void displayGUI()
    {
        JFrame frame = new JFrame("Custom Button Example");
        frame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);

        customButton = new MyButton();
        customButton.addActionListener(new ActionListener()
        {
            public void actionPerformed(ActionEvent ae)
            {
                MyButton.isClicked = true;
                customButton.repaint();
            }
        });

        frame.getContentPane().add(customButton, BorderLayout.CENTER);
        frame.pack();
        frame.setLocationByPlatform(true);
        frame.setVisible(true);
    }

    public static void main(String... args)
    {
        SwingUtilities.invokeLater(new Runnable()
        {
            public void run()
            {
                new ButtonExample().displayGUI();
            }
        });
    }
}

class MyButton extends JButton
{
    public static boolean isClicked = false;

    public Dimension getPreferredSize()
    {
        return (new Dimension(100, 40));
    }

    public void paintComponent(Graphics g)
    {
        if (!isClicked)
            super.paintComponent(g);
        else
        {
             g.setColor(Color.BLUE);
             g.fillOval(getHorizontalAlignment(), getVerticalAlignment(), getWidth(), getHeight());
        }       
    }
}
于 2012-05-25T22:37:49.763 回答