这里是"狂神说Java"系列课程的笔记
课程视频 https://www.kuangstudy.com/course
三种创建方式
- 继承
Thread
类 - 实现
Runnable
接口(推荐) - 实现
Callable
接口
继承Thread类
- 自定义线程类需要继承
Thread
类 - 重写
run()
方法,编写线程执行体 - 在主线程使用
start()
方法启动线程
⭐️线程开启不一定立刻执行,由CPU调度执行
public class study extends Thread{
@Override
public void run() {
for(int i = 0; i < 20; i++) {
System.out.println("这里是线程1!!!!!!!!!!!!!!!!!!!!!!!!");
}
}
public static void main(String[] args) {
study thread1 = new study();
thread1.start();
for (int i = 0; i < 2000 ; i++) {
System.out.println("主线程");
}
}
}
实现Runnable接口
- 让类实现
Runnablel
接口 - 实现
run()
方法 - 在主线程使用
start()
方法启动线程
public class study implements Runnable{
@Override
public void run() {
for (int i = 0; i < 20; i++) {
System.out.println("这里是线程1!!!!!!!!!!!!!!!!!!!!!!!!");
}
}
public static void main(String[] args) {
//创建runnable接口的实现类对象
study thread1 = new study();
//创建线程对象,通过线程对象来开启线程(静态代理)
new Thread(thread1).start();
for (int i = 0; i < 2000; i++) {
System.out.println("主线程");
}
}
}