0

我想让 OptionPanel 使线程自己关闭。我知道它应该在线程类的 run 方法中完成,但我不知道我是否应该在那里同步一些东西。

单击 JOptionPanel 中的正确选项后,如何使这些线程自行关闭?

import javax.swing.JOptionPane;

public class Wat extends Thread {
    private char c;
    private int interv;
    private volatile boolean running = true;

    public Wat(char c, int interv) {
        this.c = c;
        this.interv = interv;
    }

    public void run() {

        while (running) {
            try {
                System.out.println(c);
                Thread.sleep(interv * 100);
            } catch (InterruptedException e) {
                e.printStackTrace();
            }
        }

    }

    public static void main(String[] args) {
        Wat w1 = new Wat('A', 3);
        Wat w2 = new Wat('B', 4);
        Wat w3 = new Wat('C', 5);
        w1.start();
        w2.start();
        w3.start();
        Object[] options = { "Shutdown A", "Shutdown B", "Shutdown C" };
        int option;
        while (w1.isAlive() || w2.isAlive() || w3.isAlive()) {
            option = JOptionPane.showOptionDialog(null,
                    "Which one would you like to shut?", "Threads",
                    JOptionPane.YES_NO_CANCEL_OPTION,
                    JOptionPane.QUESTION_MESSAGE, null, options, options[2]);
            switch (option) {
            case JOptionPane.YES_OPTION:
                w1.running = false;
                break;
            case JOptionPane.NO_OPTION:
                w2.running = false;
                break;
            case JOptionPane.CANCEL_OPTION:
                w3.running = false;
                break;
            }
        }

    }

}
4

1 回答 1

2

鉴于您有:

Thread.sleep(interv * 100);

我会考虑向每个线程发送中断。中断将对sleep()方法执行此操作,并且它比循环布尔值(例如while (!done) {....})的通常做法更具响应性。

除了上面链接的教程之外,请查看这篇关于处理 InteruptedExceptions的 DeveloperWorks 文章。

于 2012-11-05T17:52:20.283 回答