如何实现thread
一个要创建线程的程序必须提供将在线程中运行的代码。有两种实现方式:
- Provide a
Runnable
object. runnable是接口。实现runnable接口必须实现run方法,然后将这个runnable对象传递给thread的构造函数。
注意一点,run方法必须既没有参数,也没有返回值。如果希望调用线程能有返回值的话,就需要实现callable接口(实现call方法)。后面还会提到。
public class HelloRunnable implements Runnable {
public void run() {
System.out.println("Hello from a thread!");
}
public static void main(String args[]) {
(new Thread(new HelloRunnable())).start();
}
}
- Subclass
Thread
. 创建一个Thread的子类,不过就像前面说的一样,也必须提供需要在Thread中运行的代码,在例子中还是run方法。
public class HelloThread extends Thread {
public void run() {
System.out.println("Hello from a thread!");
}
public static void main(String args[]) {
(new HelloThread()).start();
}
}
前一个方法更灵活,更常见。文章仅讨论第一种方法。而后者更适用于小程序。
因为后者是子类所以受限更多,同时,前一种方法更适合使用高级线程管理功能提供的API。
如何中断Thread:
Thread.sleep();可以让线程暂停指定的时间。
但是任何时候你都不能认为一定会按你指定的时间中断线程。因为受OS限制,同时sleep可被其他的线程中断(interruptted)。
(这里有一个常见的异常:InterruptException,Thrown when a thread is waiting, sleeping, or otherwise occupied, and the thread is interrupted, either before or during the activity.但是只有在该thread与别的thread有交互时才有必要抛出这个异常。)
下面这个方法说明了如何使用sleep:
try { Thread.sleep(4000); }
catch (InterruptedException e) {
//We've been interrupted: no more messages.
return;
//return会中断线程。
}
下面的方法是关于interrupt flag的几个方法:
使用Thread.interrupted();
Thread.interrupted();--是否被中断,同时clear 中断flag
Thread.interrupte();--中断当前thread
Thread.isInterrupted();--是否被中断,不clear 中断flag
throwing an InterruptedException --肯定会clear 中断flag