在ActionListener中使用Thread.sleep()的简单动画

时间:2014-05-29 01:27:00

标签: java graphics repaint japplet thread-sleep

我在使用这个代码创建轮盘赌时遇到问题。当我点击“旋转!”时,目标是旋转轮子。按钮。我通过创建一个for循环来完成此操作,该循环应该将轮的状态从true更改为false,这会更改方向。如果做得足够快,应该产生运动的幻觉。

我遇到的问题:我的轮子只是在整个for循环完成后重新绘制,尽管我放置了repaint()。所以,它只旋转一个滴答。

以下是我的ActionListener的一些示例代码:

public class spinListener implements ActionListener
{
    RouletteWheel wheel;
    int countEnd = (int)(Math.random()+25*2);
    public spinListener(RouletteWheel w)
    {
        wheel = w;
    }
    public void actionPerformed(ActionEvent e)
    {
        for (int i = 0; i <countEnd; i++)
        {
            try 
            {
                Thread.sleep(100);
                if (wheel.getStatus() == true)
                {
                    wheel.setStatus(false);
                    repaint();
                }
                if (wheel.getStatus() == false)
                {
                    wheel.setStatus(true);
                    repaint();
                }
            } 
            catch (InterruptedException ex) 
            {
                Logger.getLogger(WheelBuilder.class.getName()).log(Level.SEVERE, null, ex);
            }
        }
    }
}

更新:我发现了问题。以下是我为遇到类似问题的人所做的更改。

public class spinListener implements ActionListener
{
    Timer tm = new Timer(100, this);
    int count = 0;

    public void actionPerformed(ActionEvent e)
    {
        tm.start();
        changeWheel();
    }
    public void changeWheel()
    {
        int countEnd = (int)(Math.random()+20*2);
        if (count < countEnd)
        {
            wheel.setStatus(!wheel.getStatus());
            repaint();
            count++;
        }
    }
}

1 个答案:

答案 0 :(得分:3)

Swing是一个单线程环境,任何阻止Event Dispatching Thread的东西都会阻止它处理新事件,包括绘制事件。

Thread.sleep方法中使用actionPerformed会阻止EDT,阻止它处理新事件,包括绘制事件,直到退出actionPerformed方法。

您应该使用javax.swing.Timer代替。

请查看Concurrency in SwingHow to Use Swing Timers了解详情