使用计时器暂停程序执行

时间:2014-02-20 05:21:04

标签: java swing user-interface timer

我想在指定的时间内暂停执行Swing程序。当然,我使用的第一件事是Thread.sleep(100)(因为,我是一个菜鸟)。然后我知道我的程序不是线程安全的,所以我决定使用Timer和其他程序员的一些建议。问题是我无法从我可以学习如何延迟线程的任何来源,使用Timer。他们中的大多数使用Timer来延迟执行。请帮我解决这个问题。我在下面提供了一个可编译的代码片段。

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

public class MatrixBoard_swing extends JFrame{

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

    MatrixBoard_swing(){
        this.setSize(640, 480);
        this.setVisible(true);
        while(rad < 200){
            repaint();
            rad++;
            try {
                Thread.sleep(100);
            } catch (InterruptedException e) {
                // TODO Auto-generated catch block
                e.printStackTrace();
            }

        }
    }

    int rad = 10;

    public void paint(Graphics g){
        super.paint(g);
        g.drawOval(400-rad, 400-rad, rad, rad); 
    }

}

编辑:我的计时器实现试用(请告诉我是否错误):

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

public class MatrixBoard_swing extends JFrame implements ActionListener{

    Timer timer;

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

    MatrixBoard_swing(){
        this.setSize(640, 480);
        this.setVisible(true);
        timer = new Timer(100, this);
        timer.start();
    }

    int rad = 10;

    public void paint(Graphics g){
        super.paint(g);
        g.drawOval(400-rad, 400-rad, rad, rad); 
    }

    @Override
    public void actionPerformed(ActionEvent arg0) {
        repaint();
        rad++;
        if(rad >= 200){
            timer.stop();
        }
    }

1 个答案:

答案 0 :(得分:2)

所以不是......

while(rad < 200){
    repaint();
    rad++;
    try {
        Thread.sleep(100);
    } catch (InterruptedException e) {
        // TODO Auto-generated catch block
        e.printStackTrace();
    }
}

你只需要稍微改变逻辑......

Timer timer = new Timer(1000, new ActionListener() {
    public void actionPerformed(ActionEvent evt) {
        rad++;
        if (rad < 200) {
            repaint();
        } else {
            ((Timer)evt.getSource()).stop();
        }
    }
});
timer.start();

基本上,Timer将充当Thread.sleep(),但是以一种不会破坏UI的好方式,但会允许您在执行之间注入延迟。每次执行时,您需要递增值,测试“停止”条件并以其他方式更新......

在SO ...上查看How to Use Swing Timers以及有关该主题的其他3,800个问题。