死锁
-
多个线程各种占有一些共享资源,并且互相等待其他线程占有的资源才能运行,而导致两个或者多个线程都在等待对方释放资源,都停止执行的情形,某一个同步块同时拥有“两个以上对象的锁”时,就可能会发生“死锁”的问题
死锁避免方法
-
产生死锁的四个必要条件
-
互斥条件:一个资源每次只能被一个进程使用
-
请求与保持条件:一个进程因请求资源而阻塞时,对已获得的资源保持不放
-
不剥夺条件:进程已获得的资源,在未使用完之前,不能强行剥夺
-
循环等待条件:若干进程之间形成一种头尾相接的循环等待资源关系
package BufferedTest;
//死锁,多个线程相互抱着对方的资源,形成僵持
public class DeadLock {
public static void main(String[] args) {
Makeup makeuo = new Makeup(1,"白雪");
Makeup makeuo1 = new Makeup(-1,"灰姑娘");
makeuo.start();
makeuo1.start();
}
}
//口红
class lipsTick{
}
//镜子
class mirror{
}
//化妆
class Makeup extends Thread {
//需要的资源只有一份,用static来表示只有一份
lipsTick lipsTick = new lipsTick();//创建口红对象
mirror mirror = new mirror();//创建镜子对象
int choice;//选择
String girlName;//使用化妆品的人
Makeup(int choice,String girlName){
this.choice = choice;
this.girlName = girlName;
}
@Override
public void run() {
//化妆
try {
makeup();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
private void makeup() throws InterruptedException {
if (choice == 0){
synchronized (lipsTick){//获得镜子的锁lipsTick
System.out.println(this.girlName+"获得了镜子的锁");
Thread.sleep(1);
synchronized (mirror){//一秒后获得口红的锁
System.out.println("获得口红的锁");
}
}
}else {
synchronized (mirror){//获得口红的锁lipsTick
System.out.println(this.girlName+"获得了镜子的锁");
Thread.sleep(1);
synchronized (lipsTick){//一秒后获得镜子的锁
System.out.println("获得口红的锁");
}
}
}
}
}