我试图了解死锁是如何产生的。我了解到,通过在两个同步方法上使用两个线程,可以创建死锁。看了很多网上的例子。
可以通过等待和通知创建死锁吗?每次线程处于等待状态时,都会收到通知。那么这怎么会陷入僵局呢?
举例说明会有帮助。
Deadlock is caused when two threads try to obtain the same, multiple locks in different order:
// T1
synchronized (A) {
synchronized (B) {
// ...
}
}
// T2
synchronized (B) {
synchronized (A) {
// ...
}
}
防止死锁的唯一方法是确保所有线程以相同的顺序获得锁——要么他们都做 A 然后 B,或者他们都做 B 然后 A。
如果您没有多个锁,那么您就没有死锁。但是,您可能会遇到线程饥饿或其他可能类似于死锁的情况。
假设线程 1 在方法 A 上进入一个同步块,然后等待。然后线程 2 尝试进入方法 A 上的同步块。线程 1 正在等待通知,线程 2 正在等待同步块。现在一切都在等待。其他一些线程将不得不通知线程 1 正在等待的对象。这只是可能造成死锁的一种情况。有各种各样的方法可以做到这一点。
除非某些代码明确通知它,否则不会通知处于等待状态的线程。因此,您正在寻找的示例绝对是微不足道的:
public static void main(String[] args) {
synchronized(String.class) {
String.class.wait();
}
}
这将永远挂起。但从技术上讲,它不是死锁,它需要两个或多个线程参与一个封闭的循环,每个线程等待下一个线程解除阻塞。
接近等待/通知死锁的东西:
public class Example
{
volatile boolean isNotified = false;
public synchronized void method1() {
try
{
isNotified = false;
while (!isNotified)
wait();
notifyAll();
System.out.println("Method 1");
} catch (InterruptedException e) {/*NOP*/}
}
public synchronized void method2() {
try {
isNotified = true;
while (isNotified)
wait();
notifyAll();
System.out.println("Method 2");
} catch (InterruptedException e) {/*NOP*/}
}
public static void main(String[] args)
{
Example example = new Example();
Thread thread1 = new Thread()
{
public void run()
{
example.method1();
}
};
Thread thread2 = new Thread()
{
public void run()
{
example.method2();
}
};
thread1.start();
thread2.start();
}
}