Java线程组destroy()方法
ThreadGroup类的
destroy()方法用于销毁线程组及其所有子组。线程组必须为空,表示该线程组中的所有线程此后都已停止。
语法:
返回:
它不返回任何值。
异常:
IllegalThreadStateException : 如果线程组不为空或线程组已被破坏,则抛出此异常。
SecurityException : 如果当前线程无法修改此线程组。
示例
class NewThread extends Thread
{
NewThread(String threadname, ThreadGroup tg)
{
super(tg, threadname);
}
public void run()
{
for (int i = 0; i < 10; i++)
{
try
{
Thread.sleep(10);
}
catch (InterruptedException ex)
{
System.out.println(Thread.currentThread().getName() + " interrupted");
}
}
System.out.println(Thread.currentThread().getName() + " completed executing");
}
}
public class ThreadGroupDestroyExp
{
public static void main(String arg[]) throws InterruptedException, SecurityException
{
// creating a ThreadGroup
ThreadGroup g1 = new ThreadGroup("Parent thread");
// creating a child ThreadGroup for parent ThreadGroup
ThreadGroup g2 = new ThreadGroup(g1, "Child thread");
// creating a thread
NewThread t1 = new NewThread("Thread-1", g1);
t1.start();
// creating another thread
NewThread t2 = new NewThread("Thread-2", g1);
t2.start();
// block until other thread is finished
t1.join();
t2.join();
// destroying child threadGroup
g2.destroy();
System.out.println(g2.getName() + " destroyed");
// destroying parent threadGroup
g1.destroy();
System.out.println(g1.getName() + " destroyed");
}
}
输出:
Thread-1 finished executing
Thread-2 finished executing
Child thread destroyed
Parent thread destroyed