java主线程结束和子线程结束之间的关系


最近在和同事讨论 java 主线程和子线程之间的关系,自己也到网上搜索了下,发现各种答案都有,有些还是互相矛盾的。经过测试自己得出以下几个结论,跟大家分享下,如果有错误,欢迎大牛指正,帮助我这只小菜鸟。废话不多说,直接上结论:

(一)Main 线程是个非守护线程,不能设置成守护线程。
这是因为,main 线程是由 java 虚拟机在启动的时候创建的。main 方法开始执行的时候,主线程已经创建好并在运行了。对于运行中的线程,调用 Thread.setDaemon() 会抛出异常 Exception in thread "main" java.lang.IllegalThreadStateException。测试代码如下:

public class MainTest
{
public static void main(String[] args)
{
System.out.println(" parent thread begin ");
Thread.currentThread().setDaemon(true);
}
}
(二)Main 线程结束,其他线程一样可以正常运行。
主线程,只是个普通的非守护线程,用来启动应用程序,不能设置成守护线程;除此之外,它跟其他非守护线程没有什么不同。主线程执行结束,其他线程一样可以正常执行。代码如下:

public class ParentTest
{

public static void main(String[] args)
{
    System.out.println("parent thread begin ");
    
    ChildThread t1 = new ChildThread("thread1");
    ChildThread t2 = new ChildThread("thread2");
    t1.start();
    t2.start();

    System.out.println("parent thread over ");
}

}

class ChildThread extends Thread
{
private String name = null;

public ChildThread(String name)
{
    this.name = name;
}

@Override
public void run()
{
    System.out.println(this.name + "--child thead begin");

    try
    {
        Thread.sleep(500);
    }
    catch (InterruptedException e)
    {
        System.out.println(e);
    }

    System.out.println(this.name + "--child thead over");
}

}

--程序运行结果如下:
parent thread begin
parent thread over
thread2--child thead begin
thread1--child thead begin
thread2--child thead over
thread1--child thead over
这样其实是很合理的,按照操作系统的理论,进程是资源分配的基本单位,线程是 CPU 调度的基本单位。对于 CPU 来说,其实并不存在 java 的主线程和子线程之分,都只是个普通的线程。进程的资源是线程共享的,只要进程还在,线程就可以正常执行,换句话说线程是强依赖于进程的。也就是说,线程其实并不存在互相依赖的关系,一个线程的死亡从理论上来说,不会对其他线程有什么影响。

(三)Main 线程结束,其他线程也可以立刻结束,当且仅当这些子线程都是守护线程。
java 虚拟机 (相当于进程) 退出的时机是:虚拟机中所有存活的线程都是守护线程。只要还有存活的非守护线程虚拟机就不会退出,而是等待非守护线程执行完毕;反之,如果虚拟机中的线程都是守护线程,那么不管这些线程的死活 java 虚拟机都会退出。测试代码如下:

public class ParentTest
{

public static void main(String[] args)
{
    System.out.println("parent thread begin ");
    
    ChildThread t1 = new ChildThread("thread1");
    ChildThread t2 = new ChildThread("thread2");
    t1.setDaemon(true);
    t2.setDaemon(true);
    
    t1.start();
    t2.start();

    System.out.println("parent thread over ");
}

}
class ChildThread extends Thread
{
private String name = null;
public ChildThread(String name)
{
this.name = name;
}
@Override
public void run()
{
System.out.println(this.name + "--child thead begin");
try
{
Thread.sleep(500);
}
catch (InterruptedException e)
{
System.out.println(e);
}
System.out.println(this.name + "--child thead over");
}
}

执行结果如下:
parent thread begin
parent thread over
thread1--child thead begin
thread2--child thead begin

在这种情况下,的确主线程退出,子线程就立刻结束了,但是这是属于 JVM 的底层实现机制,并不是说主线程和子线程之间存在依赖关系。
我的博客参考了 http://bbs.csdn.net/topics/360195074 这篇文章中大家的一些交流,碰撞出真知,大家的智慧是无穷的。


免责声明!

本站转载的文章为个人学习借鉴使用,本站对版权不负任何法律责任。如果侵犯了您的隐私权益,请联系本站邮箱yoyou2525@163.com删除。



 
粤ICP备18138465号  © 2018-2025 CODEPRJ.COM