Oracle에는이를 위한 공개 RFE 가 있습니다 . 오라클 직원의 의견으로는 문제를 이해하지 못하고 해결되지 않는 것 같습니다. JDK에서 지원하기가 간단하지만 (이전 버전과의 호환성을 유지하지 않고) RFE가 오해하는 것은 부끄러운 일입니다.
지적했듯이 자신의 ThreadFactory 를 구현해야합니다 . 이 목적으로 Guava 또는 Apache Commons를 가져 오지 않으려면 여기에 ThreadFactory
사용할 수 있는 구현을 제공하십시오 . 스레드 이름 접두어를 "pool"이외의 것으로 설정하는 기능을 제외하고는 JDK에서 얻는 것과 정확히 유사합니다.
package org.demo.concurrency;
import java.util.concurrent.ThreadFactory;
import java.util.concurrent.atomic.AtomicInteger;
/**
* ThreadFactory with the ability to set the thread name prefix.
* This class is exactly similar to
* {@link java.util.concurrent.Executors#defaultThreadFactory()}
* from JDK8, except for the thread naming feature.
*
* <p>
* The factory creates threads that have names on the form
* <i>prefix-N-thread-M</i>, where <i>prefix</i>
* is a string provided in the constructor, <i>N</i> is the sequence number of
* this factory, and <i>M</i> is the sequence number of the thread created
* by this factory.
*/
public class ThreadFactoryWithNamePrefix implements ThreadFactory {
// Note: The source code for this class was based entirely on
// Executors.DefaultThreadFactory class from the JDK8 source.
// The only change made is the ability to configure the thread
// name prefix.
private static final AtomicInteger poolNumber = new AtomicInteger(1);
private final ThreadGroup group;
private final AtomicInteger threadNumber = new AtomicInteger(1);
private final String namePrefix;
/**
* Creates a new ThreadFactory where threads are created with a name prefix
* of <code>prefix</code>.
*
* @param prefix Thread name prefix. Never use a value of "pool" as in that
* case you might as well have used
* {@link java.util.concurrent.Executors#defaultThreadFactory()}.
*/
public ThreadFactoryWithNamePrefix(String prefix) {
SecurityManager s = System.getSecurityManager();
group = (s != null) ? s.getThreadGroup()
: Thread.currentThread().getThreadGroup();
namePrefix = prefix + "-"
+ poolNumber.getAndIncrement()
+ "-thread-";
}
@Override
public Thread newThread(Runnable r) {
Thread t = new Thread(group, r,
namePrefix + threadNumber.getAndIncrement(),
0);
if (t.isDaemon()) {
t.setDaemon(false);
}
if (t.getPriority() != Thread.NORM_PRIORITY) {
t.setPriority(Thread.NORM_PRIORITY);
}
return t;
}
}
당신이 그것을 사용하고 싶을 때, 당신은 모든 Executors
방법이 당신 자신을 제공 할 수 있다는 사실을 이용합니다 ThreadFactory
.
이
Executors.newSingleThreadExecutor();
쓰레드가 명명 된 곳에서 ExecutorService를 제공 pool-N-thread-M
하지만
Executors.newSingleThreadExecutor(new ThreadFactoryWithNamePrefix("primecalc"));
당신은 스레드의 이름을 지정하는 ExecutorService를 얻을 수 있습니다 primecalc-N-thread-M
. 짜잔!