欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

java中join方法的理解与说明详解

程序员文章站 2023-12-29 16:51:10
前言:java 中的 join() 方法在多线程中会涉及到,这个方法最初理解起来可能有点抽象,用一两次大概就懂了。简单说就是当前线程等待调用join方法的线程结束才能继续往下执行。1. 举个例子如下,...

前言:

java 中的 join() 方法在多线程中会涉及到,这个方法最初理解起来可能有点抽象,用一两次大概就懂了。简单说就是当前线程等待调用join方法的线程结束才能继续往下执行。

1. 举个例子

如下,

myrunnable 类是实现 runnable 接口的多线程类,其run() 方法是一个计算,计算值存储在 result 字段,获取计算结果就必须等线程执行完之后调用 getresult() 获取

public class myrunnable implements runnable {
 private int num;
 private string threadname;
 private long result;
 
 public myrunnable(int num, string threadname) {
  this.threadname = threadname;
  this.num = num;
 }
 
 public void run() {
  for (int i = 0; i < num; i++) {
   result += i;
  }
 }
 
 
 public long getresult() {
  return result;
 }
}
 
public class normaltest {
 public static void main(string[] args) {
 
  normal();
 
 }
 
 private static void normal() {
  myrunnable myrunnable_1 = new myrunnable(1000, "runnable_1");
 
  thread thread_1 = new thread(myrunnable_1);
  thread_1.start();
 
  do {
   system.out.println("--------------------------------------------------");
   system.out.println("thread status: " + thread_1.isalive() + ",result: " + myrunnable_1.getresult());
  } while (thread_1.isalive());
 }
}

获取计算结果需要持续判断线程 thread_1 是否结束才能最终获取,输出如下:

--------------------------------------------------
thread status:  true,result: 0
--------------------------------------------------
thread status:  true,result: 11026
--------------------------------------------------
thread status:  false,result: 499500

而使用join()方法可以省去判断的麻烦,如下

 
public class jointest {
 public static void main(string[] args) {
 
  join();
 
 }
 
 
 private static void join() {
 
  myrunnable myrunnable_1 = new myrunnable(1000, "runnable_1");
 
  thread thread_1 = new thread(myrunnable_1);
  thread_1.start();
 
  try {
   thread_1.join();
  } catch (interruptedexception e) {
   e.printstacktrace();
  }
 
  system.out.println("thread status: " + thread_1.isalive() + ",result: " + myrunnable_1.getresult());
 
 }
}

输出如下:

thread status:  false,result: 499500

调用join方法以后当前线程(在这里就是main函数)会等待thread_1 结束后才继续执行下面的代码。

2. jion() 方法源码解析

其实 join() 方法内部的实现跟上面例子中的normal()方法很类似,也是使用线程的 isalive() 方法来判断线程是否结束,核心源码如下:

 public final synchronized void join(long millis)
 throws interruptedexception {
  long base = system.currenttimemillis();
  long now = 0;
 
  if (millis < 0) {
   throw new illegalargumentexception("timeout value is negative");
  }
 
  if (millis == 0) {    // join 方法如果不传参数会默认millis 为 0
   while (isalive()) {
    wait(0);
   }
  } else {
   while (isalive()) {
    long delay = millis - now;
    if (delay <= 0) {
     break;
    }
    wait(delay);
    now = system.currenttimemillis() - base;
   }
  }
 }

当然上述还涉及 object 类的 wait() 方法,感兴趣可以查一下,这里可以简单的理解就是一个等待多少时间。

总结

到此这篇关于java中join方法的理解与说明的文章就介绍到这了,更多相关java中join方法内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!

相关标签: java join方法

上一篇:

下一篇: