一.继承 java.lang.Thread类
package cn.zdfy.thread;
public class Thread1 extends Thread {
private String name;
public Thread1(String name) {
this.name = name;
}
@Override
public void run() {
for (int i = 0; i < 5; i++) {
System.out.println(name + "运行 :" + i);
try {
sleep((int) Math.random() * 10);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
测试代码
import cn.zdfy.thread.Thread1;
public class Main {
public static void main(String[] args) {
Thread mTh1=new Thread1("A");
Thread mTh2=new Thread1("B");
mTh1.start();
mTh2.start();
}
}
测试结果
//===========================第1遍运行=======================//
A运行 :0
A运行 :1
B运行 :0
A运行 :2
B运行 :1
A运行 :3
B运行 :2
A运行 :4
B运行 :3
B运行 :4
//===========================第2遍运行=======================//
A运行 :0
B运行 :0
B运行 :1
A运行 :1
B运行 :2
A运行 :2
B运行 :3
A运行 :3
B运行 :4
A运行 :4
发现运行结果是不一样的,因为 start()方法只是将线程状态变为Runnable(可运行) 状态,具体何时执行是由系统CPU调度决定的。 多线程运行的程序是乱序执行的,因此只有乱序执行的代码才有必要设计为多线程。
但是start方法重复调用的话,会出现java.lang.IllegalThreadStateException异常。
代码
import cn.zdfy.thread.Thread1;
public class Main {
public static void main(String[] args) {
Thread mTh1 = new Thread1("A");
Thread mTh2 = new Thread1("B");
mTh1.start();
mTh1.start();
// mTh2.start();
}
}
输出
Exception in thread "main" java.lang.IllegalThreadStateException
at java.lang.Thread.start(Thread.java:708)
at Main.main(Main.java:9)
二、实现java.lang.Runnable接口
采用Runnable也是非常常见的一种,我们只需要重写run方法即可。下面也来看个实例。
package cn.zdfy.thread;
public class Thread2 implements Runnable{
private String name;
public Thread2(String name) {
this.name = name;
}
@Override
public void run() {
for (int i = 0; i < 5; i++) {
System.out.println(name+"运行========= "+i);
try {
Thread.sleep((int)Math.random()*10);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
}
}
测试代码
import cn.zdfy.thread.Thread2;
public class Main {
public static void main(String[] args) {
new Thread(new Thread2("C")).start();
new Thread(new Thread2("D")).start();
}
}
测试结果
D运行========= 0
C运行========= 0
D运行========= 1
C运行========= 1
D运行========= 2
C运行========= 2
D运行========= 3
C运行========= 3
D运行========= 4
C运行========= 4
说明:
Thread2类通过实现Runnable接口,使得该类有了多线程类的特征。run()方法是多线程程序的一个约定。所有的多线程代码都在run方法里面。Thread类实际上也是实现了Runnable接口的类。
在启动的多线程的时候,需要先通过Thread类的构造方法Thread(Runnable target) 构造出对象,然后调用Thread对象的start()方法来运行多线程代码。
实际上所有的多线程代码都是通过运行Thread的start()方法来运行的。因此,不管是扩展Thread类还是实现Runnable接口来实现多线程,最终还是通过Thread的对象的API来控制线程的,熟悉Thread类的API是进行多线程编程的基础。
三、Thread和Runnable的区别
如果一个类继承Thread,则不适合资源共享。但是如果实现了Runable接口的话,则很容易的实现资源共享。
总结:
实现Runnable接口比继承Thread类所具有的优势:
1):适合多个相同的程序代码的线程去处理同一个资源
2):可以避免java中的单继承的限制
3):增加程序的健壮性,代码可以被多个线程共享,代码和数据独立
4):线程池只能放入实现Runable或callable类线程,不能直接放入继承Thread的类
main方法其实也是一个线程。在java中所以的线程都是同时启动的,至于什么时候,哪个先执行,完全看谁先得到CPU的资源。
在java中,每次程序运行至少启动2个线程。一个是main线程,一个是垃圾收集线程。