是否有任何方法可以获得当前JVM中所有正在运行的线程的列表(包括不是由我的类启动的线程)?

是否也可以获得列表中所有线程的Thread和Class对象?

我希望能够通过代码来实现。


当前回答

获取一个可迭代集:

Set<Thread> threadSet = Thread.getAllStackTraces().keySet();

性能:0毫秒,12个线程(Azul JVM 16.0.1, Windows 10, Ryzen 5600X)。

其他回答

获取根线程组的句柄,像这样:

ThreadGroup rootGroup = Thread.currentThread().getThreadGroup();
ThreadGroup parentGroup;
while ((parentGroup = rootGroup.getParent()) != null) {
    rootGroup = parentGroup;
}

现在,在根组上重复调用enumerate()函数。第二个参数让你递归地获取所有线程:

Thread[] threads = new Thread[rootGroup.activeCount()];
while (rootGroup.enumerate(threads, true ) == threads.length) {
    threads = new Thread[threads.length * 2];
}

注意我们如何反复调用enumerate(),直到数组大到足以包含所有条目。

在Groovy中,你可以调用私有方法

// Get a snapshot of the list of all threads 
Thread[] threads = Thread.getThreads()

在Java中,只要安全管理器允许,就可以使用反射调用该方法。

Apache Commons用户可以使用ThreadUtils。当前实现使用前面概述的线程组方法。

for (Thread t : ThreadUtils.getAllThreads()) {
      System.out.println(t.getName() + ", " + t.isDaemon());
}

获取一个可迭代集:

Set<Thread> threadSet = Thread.getAllStackTraces().keySet();

性能:0毫秒,12个线程(Azul JVM 16.0.1, Windows 10, Ryzen 5600X)。

    public static void main(String[] args) {


        // Walk up all the way to the root thread group
        ThreadGroup rootGroup = Thread.currentThread().getThreadGroup();
        ThreadGroup parent;
        while ((parent = rootGroup.getParent()) != null) {
            rootGroup = parent;
        }

        listThreads(rootGroup, "");
    }


    // List all threads and recursively list all subgroup
    public static void listThreads(ThreadGroup group, String indent) {
        System.out.println(indent + "Group[" + group.getName() + 
                ":" + group.getClass()+"]");
        int nt = group.activeCount();
        Thread[] threads = new Thread[nt*2 + 10]; //nt is not accurate
        nt = group.enumerate(threads, false);

        // List every thread in the group
        for (int i=0; i<nt; i++) {
            Thread t = threads[i];
            System.out.println(indent + "  Thread[" + t.getName() 
                    + ":" + t.getClass() + "]");
        }

        // Recursively list all subgroups
        int ng = group.activeGroupCount();
        ThreadGroup[] groups = new ThreadGroup[ng*2 + 10];
        ng = group.enumerate(groups, false);

        for (int i=0; i<ng; i++) {
            listThreads(groups[i], indent + "  ");
        }
    }