0

嗨,我正在使用下一个代码来尝试停止线程,但是当我看到 Running 为 false 时,它​​再次变为 true。

public class usoos {
    public static void main(String[] args) throws Exception {
        start();
        Thread.sleep(10000);
        end();
    }

    public static SimpleThreads start(){
        SimpleThreads id = new SimpleThreads();
        id.start();
        System.out.println("started.");
        return id;
    }

    public static void end(){
        System.out.println("finished.");
        start().shutdown();
    }
}

和线程

public class SimpleThreads extends Thread {
    volatile boolean running = true;

    public SimpleThreads () {
    }

    public void run() {         
        while (running){
            System.out.println("Running = " + running);
            try {
                Thread.sleep(1000);
            } catch (InterruptedException ex) {}
        }
        System.out.println("Shutting down thread" + "======Running = " + running);
    }

    public void shutdown(){
        running = false;
        System.out.println("End" );
    }
}

问题是当我尝试停止它时(我将运行设置为 false),它又开始了..

4

2 回答 2

5

查看方法中的这一行end

start().shutdown();

您没有停止原始实例;您正在启动另一个,然后您立即将其关闭。

start你的和方法之间没有联系end——没有信息,没有引用从一个传递到另一个。显然不可能停止你在start方法中启动的线程。

你的end方法不应该是static;事实上,你甚至不需要它,shutdown已经是它了:

SimpleThreads t = start();
Thread.sleep(10000);
t.shutdown();
于 2013-08-20T11:54:20.423 回答
0

因为在end方法中你只是创建一个新的Thread并杀死它,保存线程实例并杀死它:

您的代码应如下所示:

public class usoos {
public static void main(String[] args) throws Exception {
    SimpleThreads id = start();
    Thread.sleep(10000);
    end(id);
}

public static SimpleThreads start(){
    SimpleThreads id = new SimpleThreads();
    id.start();
    System.out.println("started.");
    return id;
}

public static void end(SimpleThreads id){
    System.out.println("finished.");
    id.shutdown();
}
于 2013-08-20T11:53:54.953 回答