스레드 풀에서 스레드 ID를 얻는 방법은 무엇입니까?


131

작업을 제출하는 고정 스레드 풀이 있습니다 ( 5 개 스레드로 제한됨 ). 이 5 개의 스레드 중 어느 것이 내 작업을 실행 하는지 어떻게 알 수 있습니까 ( " 5 번 스레드 # 3 / 5 가이 작업을 수행 중입니다")?

ExecutorService taskExecutor = Executors.newFixedThreadPool(5);

//in infinite loop:
taskExecutor.execute(new MyTask());
....

private class MyTask implements Runnable {
    public void run() {
        logger.debug("Thread # XXX is doing this task");//how to get thread id?
    }
}

답변:


230

사용 Thread.currentThread():

private class MyTask implements Runnable {
    public void run() {
        long threadId = Thread.currentThread().getId();
        logger.debug("Thread # " + threadId + " is doing this task");
    }
}

3
이것은 실제로 원하는 대답이 아닙니다. % numThreads대신 사용해야 합니다
petrbel

2
@petrbel 그는 질문 제목에 완벽하게 대답하고 있으며 OP가 " 'thread # 3 of 5"와 같은 것을 요청할 때 스레드 ID는 충분히 가깝습니다.
CorayThan

참고 출력의 예 getId()입니다 14291같은 곳 getName()을 제공합니다 pool-29-thread-7더 유용 나는 주장한다.
Joshua Pinter

26

허용되는 답변 스레드 ID 를 얻는 방법 에 대한 질문에 답변 하지만 "Thread X of Y"메시지를 표시 할 수는 없습니다. 스레드 ID는 스레드마다 고유하지만 반드시 0 또는 1에서 시작하지 않아도됩니다.

다음은 질문과 일치하는 예입니다.

import java.util.concurrent.*;
class ThreadIdTest {

  public static void main(String[] args) {

    final int numThreads = 5;
    ExecutorService exec = Executors.newFixedThreadPool(numThreads);

    for (int i=0; i<10; i++) {
      exec.execute(new Runnable() {
        public void run() {
          long threadId = Thread.currentThread().getId();
          System.out.println("I am thread " + threadId + " of " + numThreads);
        }
      });
    }

    exec.shutdown();
  }
}

그리고 출력 :

burhan@orion:/dev/shm$ javac ThreadIdTest.java && java ThreadIdTest
I am thread 8 of 5
I am thread 9 of 5
I am thread 10 of 5
I am thread 8 of 5
I am thread 9 of 5
I am thread 11 of 5
I am thread 8 of 5
I am thread 9 of 5
I am thread 10 of 5
I am thread 12 of 5

모듈로 산술을 사용하여 약간 조정하면 "스레드 X의 Y"를 올바르게 수행 할 수 있습니다.

// modulo gives zero-based results hence the +1
long threadId = Thread.currentThread().getId()%numThreads +1;

새로운 결과 :

burhan@orion:/dev/shm$ javac ThreadIdTest.java && java ThreadIdTest  
I am thread 2 of 5 
I am thread 3 of 5 
I am thread 3 of 5 
I am thread 3 of 5 
I am thread 5 of 5 
I am thread 1 of 5 
I am thread 4 of 5 
I am thread 1 of 5 
I am thread 2 of 5 
I am thread 3 of 5 

5
Java 스레드 ID는 연속적입니까? 그렇지 않으면 모듈러스가 올바르게 작동하지 않습니다.
Brian Gordon

@BrianGordon 보장은 확실하지 않지만 코드는 내부 카운터를 증가시키는 것 이상으로 보이지 않습니다 : hg.openjdk.java.net/jdk8/jdk8/jdk/file/687fd7c7986d/src/share/…
Burhan Ali

6
따라서 두 개의 스레드 풀이 동시에 초기화 된 경우 해당 스레드 풀 중 하나의 스레드에는 1, 4, 5, 6, 7과 같은 ID가있을 수 있으며이 경우 동일한 " 스레드 n / 5 "메시지.
Brian Gordon

@BrianGordon Thread.nextThreadID ()가 동기화되었으므로 문제가되지 않습니까?
Matheus Azevedo

@MatheusAzevedo 그것과 관련이 없습니다.
브라이언 고든

6

Thread.getCurrentThread.getId ()를 사용할 수 있지만 로거가 관리하는 LogRecord 객체에 이미 스레드 ID가있는 경우 왜 그렇게 하시겠습니까 ? 로그 메시지의 스레드 ID를 기록하는 구성이 어딘가에 있다고 생각합니다.


1

당신의 클래스에서 상속하는 경우 스레드 , 당신은 방법을 사용할 수 있습니다 getNamesetName각 스레드의 이름을. 그렇지 않으면에 name필드를 추가하고 MyTask생성자에서 초기화 할 수 있습니다.


1

로깅을 사용하는 경우 스레드 이름이 도움이됩니다. 스레드 팩토리가이를 도와줍니다.

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;

import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;
import java.util.concurrent.ThreadFactory;

public class Main {

    static Logger LOG = LoggerFactory.getLogger(Main.class);

    static class MyTask implements Runnable {
        public void run() {
            LOG.info("A pool thread is doing this task");
        }
    }

    public static void main(String[] args) {
        ExecutorService taskExecutor = Executors.newFixedThreadPool(5, new MyThreadFactory());
        taskExecutor.execute(new MyTask());
        taskExecutor.shutdown();
    }
}

class MyThreadFactory implements ThreadFactory {
    private int counter;
    public Thread newThread(Runnable r) {
        return new Thread(r, "My thread # " + counter++);
    }
}

산출:

[   My thread # 0] Main         INFO  A pool thread is doing this task

1

현재 스레드를 얻는 방법이 있습니다.

Thread t = Thread.currentThread();

Thread 클래스 객체 (t)를 얻은 후에는 Thread 클래스 메소드를 사용하여 필요한 정보를 얻을 수 있습니다.

스레드 ID 얻기 :

long tId = t.getId(); // e.g. 14291

실 이름 얻기 :

String tName = t.getName(); // e.g. "pool-29-thread-7"
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.