1 线程的创建
- Java 从语言级别支持多线程
- 如 Object 中的
wait()
和 notify()
- Java.lang 中的类
Thread
** ** - 线程体 —-
run()
1.1 继承 Thread 类
class MyThread extends Thread {
public void run() {
for (int i = 0; i < 100; ++i) {
System.out.println(" " + i);
}
}
}
1.2 向 Thread() 构造方法传递 Runnable 对象
class MyTack implements Runnable {
public void run() {
}
}
MyTask mytask = new MyTask();
Thread thread = new Thread(mytask);
thread.start();
1.3 使用匿名类
new Thread() {
public void run() {
for (int i = 0; i < 100; ++i)
System.out.println(i);
}
}
1.4 使用 Lambda 表达式
new Thread(() -> {
// ...
}).start();
2 线程的控制
data:image/s3,"s3://crabby-images/a22a6/a22a69cc8f4d7f3e32ee9699f3e6b316be4ac78d" alt="image.png"
data:image/s3,"s3://crabby-images/e483c/e483c91d3861fe6e371975ad1d8e8b355fc52378" alt="image.png"
data:image/s3,"s3://crabby-images/1c177/1c177e65f1a8af3a9200822aaf288265c5bd1cb9" alt="image.png"
data:image/s3,"s3://crabby-images/a855b/a855b9aea20c164c058651f4739e45462a850165" alt="image.png"
3 线程的同步
data:image/s3,"s3://crabby-images/f5314/f5314f34b0fd2930a3b85121999cbb43ec212bac" alt="image.png"
data:image/s3,"s3://crabby-images/ee7c4/ee7c4cf6fb8fc643732cfadb144dfbd2d0d77ef1" alt="image.png"
data:image/s3,"s3://crabby-images/0dc84/0dc84db8ca56c245cd2c9fb863c8df2b1d5fe0f6" alt="image.png"
wait()
和 notify()
相当于操作系统中的 P
操作和 V
操作
class CubbyHole {
public int index = 0;
publin int[] data = new int[3];
public synchronized void put(int value) {
while (index == data.length) {
try {
this.wait();
} catch (InterruptedException e) {}
}
data[index] = value;
index++;
this.notify();
}
public synchronized int get() {
while (index <= 0) {
try {
this.wait();
} catch (InterruptedException e) {}
}
index--;
int val = data[index];
this.notify();
return val;
}
}
data:image/s3,"s3://crabby-images/29807/298078fff4a88fc452effb573e48587a86e06852" alt="image.png"