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

线程组

程序员文章站 2022-05-05 16:34:50
...

    记得我们在上学的时候,每学期上课之前老师都会给我们分组,很明显分组的目的就是为了方便管理。同理,当线程很多的时候我们也可以给线程分组以方便我们对线程的同一管理。

 

    看似有了线程组还是蛮方便的,不过线程组已经过时了,它并没有提供太多有用的功能,而且它提供的许多功能还都是有缺陷的。就像Joshua Bloch(《Effective Java》的作者、java集合框架的创始人)说的:“最好把线程组看作是一个不成功的实验,你尽管忽略掉它就行了”。


    这里之所以写这篇文章只是让我们知道曾经有这个东西的存在。因为我觉得对语言发展有个整体的认识更能帮助我们更好的学习和掌握这门语言。


    在Thread类中有一个获取线程组(ThreadGroup)的方法getThreadGroup()使用getName()可以获取此线程组的名字,main线程的线程组名字也是main,如果我们创建线程对象的时候没有指定线程组,也是默认在main线程组中。


package com.gk.thread.group;

public class Test {
	
	public static void main(String[] args) {

		System.out.println("main线程的线程组的名字 :" + Thread.currentThread().getThreadGroup().getName());
		
		System.out.println("默认线程组的名字 :" + new Thread().getThreadGroup().getName());
		
	}

}

线程组


    在Thread类中有一个可以为该线程指定线程组的构造器Thread(ThreadGroup group, String name)(还有很多,这里为了演示方便就选择这个构造器)


// 创建一个线程组对象,参数为此线程组的名字
ThreadGroup tg = new ThreadGroup("threadGroup1");
System.out.println(new Thread(tg, "subThread").getThreadGroup().getName());

线程组


    前面说过,为了方便统一管理,如果我们需要将一些线程进行同样的操作,比如设置一些线程中断时,我们就可以考虑将这些线程编成一个组,然后统一设置。下面代码演示将三个线程设置为中断线程。


package com.gk.thread.group;

public class ThreadGroupDemo2 {
	
	public static void main(String[] args) {
		
		Runnable r = new MyRunnable();
		
		ThreadGroup tg2 = new ThreadGroup("threadGroup2");
		
		Thread t = new Thread(tg2, r);
		Thread t2 = new Thread(tg2, r);
		Thread t3 = new Thread(tg2, r);
		
		System.out.println("设置前 t.isInterrupted() : " + t.isInterrupted());
		System.out.println("设置前 t2.isInterrupted() : " + t2.isInterrupted());
		System.out.println("设置前 t3.isInterrupted() : " + t3.isInterrupted());
		System.out.println();
		
// 启动线程
		t.start();
		t2.start();
		t3.start();
		
		tg2.interrupt();	// 使用线程组统一设置中断
		
		System.out.println("设置后 t.isInterrupted() : " + t.isInterrupted());
		System.out.println("设置后 t2.isInterrupted() : " + t2.isInterrupted());
		System.out.println("设置后 t3.isInterrupted() : " + t3.isInterrupted());
		System.out.println();
		
	}
	
	/**
	 * 内部类
	 * @author lxc
	 *
	 */
	static class MyRunnable implements Runnable{	

		@Override
		public void run() {
			
			System.out.println(Thread.currentThread().getName() + " 开始了...");
			
			while(!Thread.currentThread().isInterrupted()) {}	// 死循环
			
			System.out.println(Thread.currentThread().getName() + " 结束了...");
		}

	}
}

线程组


    上面代码如果把tg2.interrupt()注释掉就会出现下面结果


//	tg2.interrupt();	// 使用线程组统一设置中断

线程组


    由于没有设置中断,所以执行while的死循环。

 

    再说一句,在JDK1.5之前,当线程抛出未被捕捉的异常时,ThreadGroup uncaughtException方法是获得控制权的唯一方式,这是很有用的方法。不过JDK1.5之后ThreadsetUncaughtExceptionHandler也提供了同样的功能。