标签:
Java中的守护线程与UNIX中的守护线程概念不同,UNIX中的守护线程相当于一项服务,一直运行在后台,而Java中的守护线程是这样定义的:
A daemon thread is a thread, that does not prevent the JVM from exiting when the program finishes but the thread is still running.
也就是说,当程序中只有守护线程时,JVM就会自动退出,典型的守护线程就是垃圾回收器(GC)。
当我们创建一个新的线程时,它会继承其父线程的守护线程的状态,就是说其父线程如果是守护线程,其子线程也是守护线程。
守护线程与一般线程的区别是:一般线程如果还没有执行完毕,JVM不会退出,而守护线程不一样,当一般线程全部执行完毕,而守护线程还没有执行完毕,JVM会舍弃执行剩下的守护线程,直接退出虚拟机,因此,与I/O相关的操作不能交给守护线程去操作。
下面看一个例子:
package com.test;
/**
* Created by z1178 on 2015-08-09.
*/
public class MyTest {
public static void main(String[] args) {
new WorkerThread().start();
try {
Thread.sleep(7500);
} catch (InterruptedException e) {
System.out.println("main thread ending");
}
}
}
class WorkerThread extends Thread{
public WorkerThread() {
setDaemon(true);
}
public void run(){
int count=0;
while(true){
System.out.println("Hello from Worker "+count++);
try {
sleep(5000);
} catch (Exception e) {
e.printStackTrace();
}
}
}
}
如果我们将setDaemon设为true或false,会等到不同的结果,如果为true,其结果如下:
Hello from Worker 0
Hello from Worker 1
说明当主线程执行完毕,JVM就退出了,如果setDaemon设为false,其会一直执行下去,JVM不会退出。
版权声明:本文为博主原创文章,未经博主允许不得转载。
标签:
原文地址:http://blog.csdn.net/u010999240/article/details/47380729