Java 스레드 프로그래밍에서 isAlive() 및join() 사용 상세 정보

3313 단어 Java
한 라인은 어떻게 다른 라인이 이미 끝났다는 것을 알 수 있습니까?Thread 클래스는 이 질문에 대답하는 방법을 제공합니다.
한 라인이 끝났는지 아닌지를 판정할 수 있는 두 가지 방법이 있다.첫째, 스레드에서 isAlive()를 호출할 수 있습니다.이 방법은 Thread에 의해 정의되며 일반적으로 다음과 같습니다.

  final boolean isAlive( )
호출된 스레드가 계속 실행 중이면 isAlive () 메서드는true를 반환하고 그렇지 않으면 false를 반환합니다.그러나 isAlive () 는 거의 사용되지 않으며, 스레드가 끝날 때까지 기다리는 더 일반적인 방법은 join () 를 호출하는 것입니다. 설명은 다음과 같습니다.

  final void join( ) throws InterruptedException
이 방법은 호출된 라인이 끝날 때까지 기다립니다.이 이름은 지정된 스레드가 참여할 때까지 기다리는 개념에서 나온 것이다.join () 의 추가 형식은 지정한 라인이 끝날 때까지 최대 시간을 정의할 수 있도록 합니다.다음은 앞의 사례의 개선 버전이다.주 스레드가 마지막으로 끝날 수 있도록join () 을 사용합니다.마찬가지로 isAlive() 방법도 보여 줍니다.

// Using join() to wait for threads to finish.
class NewThread implements Runnable {
  String name; // name of thread
  Thread t;
  NewThread(String threadname) {
    name = threadname;
    t = new Thread(this, name);
    System.out.println("New thread: " + t);
    t.start(); // Start the thread
  }
  // This is the entry point for thread.
  public void run() {
    try {
      for(int i = 5; i > 0; i--) {
        System.out.println(name + ": " + i);
        Thread.sleep(1000);
      }
    } catch (InterruptedException e) {
      System.out.println(name + " interrupted.");
    }
    System.out.println(name + " exiting.");
  }
}

class DemoJoin {
  public static void main(String args[]) {
    NewThread ob1 = new NewThread("One");
    NewThread ob2 = new NewThread("Two");
    NewThread ob3 = new NewThread("Three");
    System.out.println("Thread One is alive: "+ ob1.t.isAlive());
    System.out.println("Thread Two is alive: "+ ob2.t.isAlive());
    System.out.println("Thread Three is alive: "+ ob3.t.isAlive());
    // wait for threads to finish
    try {
      System.out.println("Waiting for threads to finish.");
      ob1.t.join();
      ob2.t.join();
      ob3.t.join();
    } catch (InterruptedException e) {
      System.out.println("Main thread Interrupted");
    }
    System.out.println("Thread One is alive: "+ ob1.t.isAlive());
    System.out.println("Thread Two is alive: "+ ob2.t.isAlive());
    System.out.println("Thread Three is alive: "+ ob3.t.isAlive());
    System.out.println("Main thread exiting.");
  }
}

프로그램 출력은 다음과 같습니다.

New thread: Thread[One,5,main]
New thread: Thread[Two,5,main]
New thread: Thread[Three,5,main]
Thread One is alive: true
Thread Two is alive: true
Thread Three is alive: true
Waiting for threads to finish.
One: 5
Two: 5
Three: 5
One: 4
Two: 4
Three: 4
One: 3
Two: 3
Three: 3
One: 2
Two: 2
Three: 2
One: 1
Two: 1
Three: 1
Two exiting.
Three exiting.
One exiting.
Thread One is alive: false
Thread Two is alive: false
Thread Three is alive: false
Main thread exiting.
보시다시피,join () 를 호출하고 돌아오면 라인이 종료됩니다.

좋은 웹페이지 즐겨찾기