JFrame简单应用程序

use*_*775 0 java swing timer jpanel paintcomponent

我正致力于创造一个有趣的游戏,基本上是一个简单的演化表示.

基本上,当我点击我移动的球时,它会改变颜色.目标是不断改变,直到它与背景颜色相匹配,这意味着球被成功隐藏.最终我会添加更多的球,但我试图弄清楚如何通过鼠标点击改变它的颜色.到目前为止,我已经创建了移动球动画.

当我点击球时如何改变球的颜色?

码:

public class EvolutionColor
{
   public static void main( String args[] )
   {
       JFrame frame = new JFrame( "Bouncing Ball" );
       frame.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );

       BallPanel bp = new BallPanel(); 
       frame.add( bp );

       frame.setSize( 1800, 1100 ); // set frame size
       frame.setVisible( true ); // display frame
       bp.setBackground(Color.YELLOW);
   } // end main
}

class BallPanel extends JPanel implements ActionListener
{       
    private int delay = 10;
    protected Timer timer;

    private int x = 0;      // x position
    private int y = 0;      // y position
    private int radius = 15;    // ball radius

    private int dx = 2;     // increment amount (x coord)
    private int dy = 2;     // increment amount (y coord)

    public BallPanel() 
    {
        timer = new Timer(delay, this);
        timer.start();      // start the timer
    }

    public void actionPerformed(ActionEvent e)
    // will run when the timer fires
    {
        repaint();
    }

    public void mouseClicked(MouseEvent arg0) 
    {
       System.out.println("here was a click ! ");
    }

    // draw rectangles and arcs
    public void paintComponent( Graphics g )
    {
        super.paintComponent( g ); // call superclass's paintComponent 
        g.setColor(Color.red);

        // check for boundaries
        if (x < radius)  dx = Math.abs(dx);
        if (x > getWidth() - radius)  dx = -Math.abs(dx);
        if (y < radius)  dy = Math.abs(dy);
        if (y > getHeight() - radius)  dy = -Math.abs(dy);

        // adjust ball position
        x += dx;
        y += dy;
        g.fillOval(x - radius, y - radius, radius*2, radius*2);
    }    

}
Run Code Online (Sandbox Code Playgroud)

Mad*_*mer 6

看看如何编写鼠标侦听器.

不要做出关于视图状态的决定paintComponent,绘画可能由于多种原因而发生,许多你无法控制.相反,在actionPerformed你的方法中做出决定Timer

您可能还想考虑稍微改变您的设计.而不是将球作为JPanels,你创建一个球的虚拟概念,其中包含所需的所有属性和逻辑,并使用它JPanel来绘制它们.然后您可以将它们存储在某种类型中List,每次注册鼠标时都可以迭代List并检查是否有任何球被点击

Java Bouncing Ball为例