Java Tutorials - Herong's Tutorial Examples - v8.22, by Herong Yang
What Is Deadlock
This section provides a tutorial example on how to demonstrate a deadlock condition with two Java threads.
Deadlock: A state of execution when 2 or more threads are all put on hold, because each of them is holding a synchronization lock while waiting for another lock. The lock each thread is waiting for is held by one of the other threads. So none of threads can move forward.
By definition, deadlock can only happen when the program is running multiple threads, and multiple locks are being used by multiple threads. Therefore:
Here is a simple program to demonstrate a deadlock with two threads and two locks:
/* SimpleDeadLock.java * Copyright (c) HerongYang.com. All Rights Reserved. */ import java.util.*; public class SimpleDeadLock extends Thread { public static Object l1 = new Object(); public static Object l2 = new Object(); private int index; public static void main(String[] a) { Thread t1 = new Thread1(); Thread t2 = new Thread2(); t1.start(); t2.start(); } private static class Thread1 extends Thread { public void run() { synchronized (l1) { System.out.println("Thread 1: Holding lock 1..."); try { Thread.sleep(10); } catch (InterruptedException e) {} System.out.println("Thread 1: Waiting for lock 2..."); synchronized (l2) { System.out.println("Thread 2: Holding lock 1 & 2..."); } } } } private static class Thread2 extends Thread { public void run() { synchronized (l2) { System.out.println("Thread 2: Holding lock 2..."); try { Thread.sleep(10); } catch (InterruptedException e) {} System.out.println("Thread 2: Waiting for lock 1..."); synchronized (l1) { System.out.println("Thread 2: Holding lock 2 & 1..."); } } } } }
Output:
Thread 1: Holding lock 1... Thread 2: Holding lock 2... Thread 1: Waiting for lock 2... Thread 2: Waiting for lock 1...
As the output shows, after gaining lock 1, thread 1 was put on hold to wait for lock 2, which was held by thread 2 and it will never be released, because thread 2 was also put on hold to wait lock 1, which was held by thread1. So none of them could move forward. You have to press Ctrl-C to stop program.
Table of Contents
Execution Process, Entry Point, Input and Output
Primitive Data Types and Literals
Bits, Bytes, Bitwise and Shift Operations
Managing Bit Strings in Byte Arrays
Reference Data Types and Variables
StringBuffer - The String Buffer Class
System Properties and Runtime Object Methods
Generic Classes and Parameterized Types
Generic Methods and Type Inference
Lambda Expressions and Method References
Java Modules - Java Package Aggregation
Execution Threads and Multi-Threading Java Programs
ThreadGroup Class and "system" ThreadGroup Tree
Synchronization Technique and Synchronized Code Blocks
►Deadlock Condition Example Programs
Deadlock Example - 5 Dining Philosophers
Deadlock Example - Transferring Funds
Garbage Collection and the gc() Method
Assert Statements and -ea" Option