1

我的问题是关于如何让 repaint() 在从方法执行时正常工作,或者更具体地说是从 actionlistener 执行。为了说明我的观点,当从初始 go() 执行 moveIt() 方法时,会按预期调用 repaint() 并且您会看到圆形幻灯片。当从按钮 ActionListener 调用 moveIt() 时,圆圈从开始位置跳到结束位置。我在调用 repaint() 之前和 repaint() 中包含了一个 println 语句,您可以看到 repaint() 在启动时被调用了 10 次,并且只有在按下按钮时调用了一次。- 提前感谢你的帮助。

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

public class SimpleAnimation {
int x=70;
int y=70;
MyDrawPanel drawPanel;

public static void main(String[] args) {
    SimpleAnimation gui = new SimpleAnimation();
    gui.go();
}
public void go(){
    JFrame frame = new JFrame();
    frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
    drawPanel = new MyDrawPanel();
    JButton button = new JButton("Move It");
    frame.getContentPane().add(BorderLayout.NORTH, button);
    frame.getContentPane().add(BorderLayout.CENTER, drawPanel);
    button.addActionListener(new ButtonListener());
    //frame.getContentPane().add(drawPanel);
    frame.setSize(300,300);
    frame.setVisible(true);
    // frame.pack();  Tried it with frame.pack with same result.
    moveIt();
}//close go()
public void moveIt(){
    for (int i=0; i<10; i++){
            x++;
            y++;
            drawPanel.revalidate();
            System.out.println("before repaint"); //for debugging
            drawPanel.repaint();            
        try{
            Thread.sleep(50);
        }catch (Exception e){}
    }
}//close moveIt()
class ButtonListener implements ActionListener{

    public void actionPerformed(ActionEvent arg0) {
        // TODO Auto-generated method stub
            moveIt();   
    }
}//close inner class
class MyDrawPanel extends JPanel{
    public void paintComponent(Graphics g){
        System.out.println("in repaint"); //for debugging
        g.setColor(Color.white);
        g.fillRect(0, 0, this.getWidth(), this.getHeight());

        g.setColor(Color.blue);
        g.fillOval(x, y, 100, 100);
    }
}//close inner class
}
4

2 回答 2

2

您正在 EDT(事件调度线程)上执行长时间运行的任务(睡眠)。因此,当 EDT 处于睡眠状态时,它无法更新 UI,并且重绘无法按预期工作。

要纠正这种情况,请始终睡在单独的线程上。

在这种情况下使用SwingWorkerTimer

查看这篇文章以获取有关如何以线程安全的方式访问 Swing 组件的更多信息。

更新: 这个页面解释得更好。

于 2013-01-06T15:20:38.187 回答
2

调用块和Thread.sleep导致GUI“冻结”。您可以在此处使用Swing 计时器。ActionListenerEDT

于 2013-01-06T15:20:48.523 回答