一.何时需要多线程?
1.程序需同时执行两个或多个任务时
2.需实现一些要等待的任务时
如:用户输入,文件读写程序,网络操作,搜索等
3.需执行一些后台执行的程序时
二.线程的创建和使用
线程的创建: 四种方式(目前只介绍两种,剩下两种之后再介绍)
1.方式一: 继承于Thread类
①创建一个继承于Thread类的子类
②重写Thread类的run()方法 //将线程执行操作声明在run()中
③创建Thread类的子类对象
④通过此对象调用start()方法
eg: 遍历100以内偶数
//创建继承于Thread类的子类
class MyThread extends Thread{
//重写Thread类的run()方法
@Override
public void run() {
//将线程执行的操作声明在run()方法中
for (int i = 0; i <100 ; i++) { //遍历100以内的偶数
if (i % 2 == 0){
System.out.println(i);
}
}
}
}
public class ThreadTest{
public static void main(String[] args) {
//创建子类对象
MyThread t1 = new MyThread();
//通过此对象调用start()方法
t1.start();
}
}
-
t1.start()的作用:
①启动当前线程
②调用当前线程的 run()
-
t1.start()之后的操作 仍是在main线程中执行的
-
且主线程与分线程随机输出结果
注意:
-
不能通过直接调用run()的方式启动线程
-
一个对象只能调用一次start()方法,不然会报IllegalThreadstarteException
解决方法: 重新创建一个线程的对象
2.方式二:实现Runnable接口
①创建一个实现了Runnable接口的类
②实现类去实现Runnable接口中的抽象方法:run()
③创建实现类的对象
④将此对象作为参数传递到Thread类的构造器中,创建Thread类的对象
⑤通过Thread对象调用start()方法
eg: 遍历100以内奇数
//创建继承于Thread类的子类
class MyThread extends Thread{
//重写Thread类的run()方法
@Override
public void run() {
//将线程执行的操作声明在run()方法中
for (int i = 0; i <100 ; i++) { //遍历100以内的偶数
if (i % 2 == 0){
System.out.println(i);
}
}
}
}
public class ThreadTest{
public static void main(String[] args) {
//创建子类对象
MyThread t1 = new MyThread();
//通过此对象调用start()方法
t1.start();
}
}
三.两种创建方式对比
开发中:
优先选择: 实现Runnable接口方式
原因:
1.实现的方式没有类的单继承性的局限性
2.实现的方式更适合处理多个线程共享数据的情况
联系:
public class Thread implements Runnable
相同点:
都需要重写run()方法,将线程需要执行的逻辑值声明在run()中