Java Thread.join()详解

原文地址:http://www.open-open.com/lib/view/open1371741636171.html

点击阅读原文

-------------------------------------------------------------

一、使用方式。

join是Thread类的一个方法,启动线程后直接调用,例如:

Thread t = new AThread(); t.start(); t.join();

二、为什么要用join()方法

在很多情况下,主线程生成并起动了子线程,如果子线程里要进行大量的耗时的运算,主线程往往将于子线程之前结束,但是如果主线程处理完其他的事务后,需要用到子线程的处理结果,也就是主线程需要等待子线程执行完成之后再结束,这个时候就要用到join()方法了。

三、join方法的作用

在JDk的API里对于join()方法是:

join

public final void join() throws InterruptedException Waits for this thread to die. Throws: InterruptedException  - if any thread has interrupted the current thread. The interrupted status of the current thread is cleared when this exception is thrown.

即join()的作用是:“等待该线程终止”,这里需要理解的就是该线程是指的主线程等待子线程的终止。也就是在子线程调用了join()方法后面的代码,只有等到子线程结束了才能执行。

四、用实例来理解

写一个简单的例子来看一下join()的用法:

1.AThread 类

  1. BThread类

  2. TestDemo 类

    class BThread extends Thread {public BThread() {super("[BThread] Thread");};public void run() {String threadName = Thread.currentThread().getName();System.out.println(threadName + " start.");try {for (int i = 0; i < 5; i++) {System.out.println(threadName + " loop at " + i);Thread.sleep(1000);}System.out.println(threadName + " end.");} catch (Exception e) {System.out.println("Exception from " + threadName + ".run");}}
    }
    class AThread extends Thread {BThread bt;public AThread(BThread bt) {super("[AThread] Thread");this.bt = bt;}public void run() {String threadName = Thread.currentThread().getName();System.out.println(threadName + " start.");try {bt.join();System.out.println(threadName + " end.");} catch (Exception e) {System.out.println("Exception from " + threadName + ".run");}}
    }
    public class TestDemo {public static void main(String[] args) {String threadName = Thread.currentThread().getName();System.out.println(threadName + " start.");BThread bt = new BThread();AThread at = new AThread(bt);try {bt.start();Thread.sleep(2000);at.start();at.join();} catch (Exception e) {System.out.println("Exception from main");}System.out.println(threadName + " end!");}
    }

    打印结果:

    main start.    //主线程起动,因为调用了at.join(),要等到at结束了,此线程才能向下执行。 
    [BThread] Thread start. 
    [BThread] Thread loop at 0 
    [BThread] Thread loop at 1 
    [AThread] Thread start.    //线程at启动,因为调用bt.join(),等到bt结束了才向下执行。 
    [BThread] Thread loop at 2 
    [BThread] Thread loop at 3 
    [BThread] Thread loop at 4 
    [BThread] Thread end. 
    [AThread] Thread end.    // 线程AThread在bt.join();阻塞处起动,向下继续执行的结果 
    main end!      //线程AThread结束,此线程在at.join();阻塞处起动,向下继续执行的结果。
    修改一下代码:
    public class TestDemo {public static void main(String[] args) {String threadName = Thread.currentThread().getName();System.out.println(threadName + " start.");BThread bt = new BThread();AThread at = new AThread(bt);try {bt.start();Thread.sleep(2000);at.start();//at.join(); //在此处注释掉对join()的调用} catch (Exception e) {System.out.println("Exception from main");}System.out.println(threadName + " end!");}
    }

    打印结果:

    main start.    // 主线程起动,因为Thread.sleep(2000),主线程没有马上结束;[BThread] Thread start.    //线程BThread起动
    [BThread] Thread loop at 0
    [BThread] Thread loop at 1
    main end!   // 在sleep两秒后主线程结束,AThread执行的bt.join();并不会影响到主线程。
    [AThread] Thread start.    //线程at起动,因为调用了bt.join(),等到bt结束了,此线程才向下执行。
    [BThread] Thread loop at 2
    [BThread] Thread loop at 3
    [BThread] Thread loop at 4
    [BThread] Thread end.    //线程BThread结束了
    [AThread] Thread end.    // 线程AThread在bt.join();阻塞处起动,向下继续执行的结果

    五、从源码看join()方法

    在AThread的run方法里,执行了bt.join();,进入看一下它的JDK源码:

    public final void join() throws InterruptedException {join(0L);
    }
    然后进入join(0L)方法:
    public final synchronized void join(long l)throws InterruptedException
    {long l1 = System.currentTimeMillis();long l2 = 0L;if(l < 0L)throw new IllegalArgumentException("timeout value is negative");if(l == 0L)for(; isAlive(); wait(0L));elsedo{if(!isAlive())break;long l3 = l - l2;if(l3 <= 0L)break;wait(l3);l2 = System.currentTimeMillis() - l1;} while(true);
    }

    单纯从代码上看: * 如果线程被生成了,但还未被起动,isAlive()将返回false,调用它的join()方法是没有作用的。将直接继续向下执行。 * 在AThread类中的run方法中,bt.join()是判断bt的active状态,如果bt的isActive()方法返回false,在bt.join(),这一点就不用阻塞了,可以继续向下进行了。从源码里看,wait方法中有参数,也就是不用唤醒谁,只是不再执行wait,向下继续执行而已。 * 在join()方法中,对于isAlive()和wait()方法的作用对象是个比较让人困惑的问题:

    isAlive()方法的签名是:public final native boolean isAlive(),也就是说isAlive()是判断当前线程的状态,也就是bt的状态。

    wait()方法在jdk文档中的解释如下:

    Causes the current thread to wait until another thread invokes the notify() method or the notifyAll() method for this object. In other words, this method behaves exactly as if it simply performs the call wait(0).

    The current thread must own this object's monitor. The thread releases ownership of this monitor and waits until another thread notifies threads waiting on this object's monitor to wake up either through a call to the notify method or the notifyAll method. The thread then waits until it can re-obtain ownership of the monitor and resumes execution.

    在这里,当前线程指的是at。

-------------

更多的Java,Angular,Android,大数据,J2EE,Python,数据库,Linux,Java架构师,:

http://www.cnblogs.com/zengmiaogen/p/7083694.html


本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/538879.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

元类编程--property动态属性

from datetime import date, datetime class User:def __init__(self, name, birthday):self.name nameself.birthday birthdayself._age 0# def get_age(self):# return datetime.now().year - self.birthday.yearproperty #动态属性def age(self): #属性描述符&#x…

php什么情况下使用静态属性,oop-做php项目什么时候该使用静态属性呢

一般我们做php项目 类里面 定义的方法 或者 属性 都是普通的 什么时候该用 static 方法和属性 有什么例子的我很少用 静态属性 就有一次用过 我在做会员中心 要获取 会员菜单的时候 我用的private static $menu array();大家可以讨论下吗回复内容&#xff1a;一般我们做php项目…

vscode运行python文件_vscode怎么运行python文件

1、首先需要确保安装了VScode的Python插件&#xff0c;打开Python脚本&#xff0c;可以直接拖入&#xff0c;点击文件&#xff0c;点击首选项里的用户设置&#xff0c;这时候会用户设置配置文件。2、然后在左边文件CtrlF搜索Python关键字&#xff0c;找到pythonPath所在行3、然…

python输出日期语句_如何从Python的原始语句中提取时间-日期-时间段信息

经过几天的研究&#xff0c;我想出了以下方法来解决提取问题。在识别命题&#xff0c;然后识别月份并进行提取。在识别“-”&#xff0c;然后识别月份并进行提取。在部分代码如下所示。(节选&#xff0c;需要上下文中的依赖项)new_w new_s.split()for j in range(len(new_w)):…

datepicker动态初始化

datepicker 初始化动态表单的input&#xff0c;需要调用jquery的on方法来给未来元素初始化。 //对动态添加的时间文本框进行动态初始化$(table).on("focus", ".datepicker", function () {//添加data属性未来只初始化一次if ($(this).data("datepicke…

oracle中存储过程 =,oracle中的存储过程使用

一 存储过程的基本应用1 创建存储过程(SQL窗口)create or replace procedure update_staffasbeginupdate staff set name xy;commit;end update_staff;存储过程适合做更新操作&#xff0c;特别是大量数据的更新2 查看存储过程在数据字典中的信息(SQL窗口)select object_name,o…

python项目如何上线_django项目部署上线(示例代码)

前言完善的django项目上线&#xff0c;有很多种上线的方法&#xff0c;比如apache, uwsgi, nginx等。这里只介绍2种&#xff0c;一种是django自带的&#xff0c;另外一种则是nginx uwsgi完成介绍。这里的系统环境采用的是ubantu系统&#xff0c; python环境采用的是python3, d…

如何检查python的库是否安装成功_如何测试redis是否安装成功

下载Redis 下载好后 复制所在位置 cd 跳到 D:\Java\64bit 图中的目录位置 这样便启动成功了。 设置redis密码的话要 到redis.conf中找到 requirepass关键字 设置密码为123456 redis-cli.exe 进入客户端 然后 auth 123456 注释&#xff1a; auth 密码 set 对象名 [a] 值[123] ge…

第三方类库的学习心态

我们需要牢牢的记住&#xff1a;所有的第三方库能实现的功能&#xff0c;我们使用原生的API只要花时间和精力也能实现&#xff0c;但是可能会出现很多的bug而且会花费较多的时间和精力&#xff0c;而且性能也不一定很好&#xff0c;第三方的库会帮我们封装底层的一些代码&#…

HTTP返回码

响应码由三位十进制数字组成&#xff0c;它们出现在由HTTP服务器发送的响应的第一行。响应码分五种类型&#xff0c;由它们的第一位数字表示&#xff1a;1.1xx&#xff1a;信息&#xff0c;请求收到&#xff0c;继续处理2.2xx&#xff1a;成功&#xff0c;行为被成功地接受、理…

oracle树结构统计,ORACLE 递归树型结构统计汇总

区域平台统计报表&#xff0c;省--市--区 汇总&#xff0c;还有各级医院&#xff0c;汇总与列表要在一个列表显示。用到ORACLE 会话时临时表 GLOBAL TEMPORARY TABLE ON COMMIT PRESERVE ROWS;递归树&#xff1a; START WITH P.PARENTORG ‘ROOT‘CONNECT BY PRIOR P.ORG…

我们真的需要使用RxJava+Retrofit吗?

原文&#xff1a;http://blog.csdn.net/TOYOTA11/article/details/53454925 点击阅读原文 RxJava详解&#xff1a;http://gank.io/post/560e15be2dca930e00da1083 Retrofit详解&#xff1a;http://www.tuicool.com/articles/AveimyQ --------------------------------------…

python ide如何运行_ide - 如何运行Python程序?

你问我很高兴&#xff01; 我正在努力在我们的wikibook中解释这个问题&#xff08;这显然是不完整的&#xff09;。 我们正在与Python新手合作&#xff0c;并且必须通过您正在询问的内容帮助我们&#xff01; Windows中的命令行Python&#xff1a; 使用编辑器中的“保存”或“另…

逻辑回归算法_算法逻辑回归

logistic回归又称logistic回归分析&#xff0c;是一种广义的线性回归分析模型&#xff0c;常用于数据挖掘&#xff0c;疾病自动诊断&#xff0c;经济预测等领域。例如&#xff0c;探讨引发疾病的危险因素&#xff0c;并根据危险因素预测疾病发生的概率等。以胃癌病情分析为例&a…

使用docker搭建wordpress网站

概述 使用docker的好处就是尽量减少了环境部署&#xff0c;可靠性强&#xff0c;容易维护&#xff0c;我使用docker搭建wordpress的主要目标有下面几个首先我重新生成数据库容器可以保证数据库数据不丢失&#xff0c;重新生成wordpress容器保证wordpress网站数据不丢失&#xf…

XUtils之注解机制详解

原文&#xff1a;http://blog.csdn.net/rain_butterfly/article/details/37931031 点击阅读原文 ------------------------------------------------------ 这篇文章说一下xUtils里面的注解原理。 先来看一下xUtils里面demo的代码&#xff1a; [java] view plaincopy print?…

oracle ko16mswin949,mysql字符集 - osc_wq7ij8li的个人空间 - OSCHINA - 中文开源技术交流社区...

恰当的字符集&#xff0c;畅快的体验&#xff01;00、Oracle字符集Subsets and Supersets #子集与超集Table A-11 Subset-Superset PairsSubset(子集)Superset(超集)AR8ADOS710AR8ADOS710TAR8ADOS720AR8ADOS720TAR8ADOS720TAR8ADOS720AR8APTEC715AR8APTEC715TAR8ARABICMACTAR…

曼彻斯特编码_两种编码方式以及两种帧结构

一、不归零制编码(Non-Return to Zero)对于不归零制编码是最简单的一种编码方式&#xff0c;正电平代表1&#xff0c;负电平代表0。如下图&#xff1a;其实在不归零制编码中有一个很明显的缺陷&#xff0c;那就是它不是自同步码。对于上图&#xff0c;你知道它传输的数据是什么…

python用一行代码编写一个回声程序_使用Python的多回声测验

我在写一个程序来管理一个五问多的问题- 关于全球变暖的选择测验和计算数字 正确答案。 我首先创建了一本字典&#xff0c;比如&#xff1a;questions \ { "What is the global warming controversy about?": { "A": "the public debate over wheth…