0

谁能解释一下为什么我的开始/停止按钮不起作用?这不是一个完全实现的秒表,但我被困在这里。任何帮助表示赞赏!这是我第一次在论坛发问题,所以如果我的帖子有任何问题,请告诉我。这是我的代码:

public class StopWatch {

    private static boolean tiktok;

    public static void setGo(boolean go) {
        tiktok = go;
    }

    public static void main(String[] args) {
        int counter = 0;
        StopWatch stop = new StopWatch();
        ClockFrame window = new ClockFrame("StopWatch");
        JLabel lb = window.init();
        while (true) {
            lb.setText(Integer.toString(counter++));
            if (counter == 61) {
                counter = 0;
            }
            try {
                Thread.sleep(1000);
            } catch (InterruptedException ex) {
            }
        }
    }

}

class ClockFrame extends JFrame {
    JLabel hour, minus, sec;

    public ClockFrame(String title) {
        super(title);
    }

    JLabel init() {
        JFrame frame = new JFrame("Stop Watch");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);

        JPanel time = new JPanel();
        hour = new JLabel("0");
        minus = new JLabel("0");
        sec = new JLabel("0");
        time.add(hour);
        time.add(minus);
        time.add(sec);

        JPanel pane = new JPanel();
        pane.setLayout(new FlowLayout());
        JButton start = new JButton("Start");
        start.addActionListener(new startstopActionListener(true));
        JButton stop = new JButton("Stop");
        stop.addActionListener(new startstopActionListener(false));
        JButton reset = new JButton("Reset");
        pane.add(start);
        pane.add(stop);
        pane.add(reset);

        Container window = frame.getContentPane();
        window.setLayout(new GridLayout(2, 1));
        window.add(pane);
        window.add(time);

        frame.setSize(500, 200);
        frame.setVisible(true);
        return sec;
    }
}

class startstopActionListener implements ActionListener {

    private boolean b;

    public startstopActionListener(boolean b) {
        this.b = b;
    }

    @Override
    public void actionPerformed(ActionEvent e) {
        StopWatch.setGo(b);
    }
}
4

2 回答 2

3

如果你想在 Swing 中制作秒表,你最好看看这个javax.swing.Timer类。它使定期更新 Swing 组件(在您的情况下为 a JLabel)变得非常容易。使用Timer避免Thread.sleep调用,你不应该在事件调度线程上调用它,因为它阻塞了 UI。

JB Nizet 已经提供了Swing 并发教程的链接。我建议您还查看本网站“Swing 信息页面”的 Swing 并发部分提供的链接,以及对相关问题的回答。

于 2012-07-15T20:27:16.960 回答
3

你不尊重 Swing 的线程策略:

  1. Swing 组件只能在事件调度线程中使用
  2. 长时间运行和阻塞的方法(例如无限循环更新标签的方法)应该在事件调度线程之外用完(但标签的更新必须在 EDT 中进行 - 参见规则 1)

阅读有关并发的 Swing 教程

于 2012-07-15T19:38:01.937 回答