精品專欄
來自:唐尤華
https://dzone.com/refcardz/core-java-concurrency
1. 簡介
從誕生開始,Java 就支援執行緒、鎖等關鍵的併發概念。這篇文章旨在為使用了多執行緒的 Java 開發者理解 Core Java 中的併發概念以及使用方法。
2. 概念
2.1 競爭條件
多個執行緒對共享資源執行一系列操作,根據每個執行緒的操作順序可能存在幾種結果,這時出現競爭條件。下麵的程式碼不是執行緒安全的,而且可以不止一次地初始化 value,因為 check-then-act(檢查 null,然後初始化),所以延遲初始化的欄位不具備原子性:
class Lazy <T> {
private volatile T value;
T get() {
if (value == null)
value = initialize();
return value;
}
}
2.2 資料競爭
兩個或多個執行緒試圖訪問同一個非 final 變數並且不加上同步機制,這時會發生資料競爭。沒有同步機制可能導致這樣的情況,執行緒執行過程中做出其他執行緒無法看到的更改,因而導致讀到修改前的資料。這樣反過來可能又會導致無限迴圈、破壞資料結構或得到錯誤的計算結果。下麵這段程式碼可能會無限迴圈,因為讀執行緒可能永遠不知道寫執行緒所做的更改:
class Waiter implements Runnable {
private boolean shouldFinish;
void finish() { shouldFinish = true; }
public void run() {
long iteration = 0;
while (!shouldFinish) {
iteration++;
}
System.out.println("Finished after: " + iteration);
}
}
class DataRace {
public static void main(String[] args) throws InterruptedException {
Waiter waiter = new Waiter();
Thread waiterThread = new Thread(waiter);
waiterThread.start();
waiter.finish();
waiterThread.join();
}
}
3. Java 記憶體模型:happens-before 關係
Java 記憶體模型定義基於一些操作,比如讀寫欄位、 Monitor 同步等。這些操作可以按照 happens-before 關係進行排序。這種關係可用來推斷一個執行緒何時看到另一個執行緒的操作結果,以及構成一個程式同步後的所有資訊。
happens-before 關係具備以下特性:
- 在執行緒開始所有操作前呼叫 Thread#start
- 在獲取 Monitor 前,釋放該 Monitor
- 在讀取 volatile 變數前,對該變數執行一次寫操作
- 在寫入 final 變數前,確保在物件取用已存在
- 執行緒中的所有操作應在 Thread#join 傳回之前完成
4. 標準同步特性
4.1 synchronized 關鍵字
使用 synchronized 關鍵字可以防止不同執行緒同時執行相同程式碼塊。由於進入同步執行的程式碼塊之前加鎖,受該鎖保護的資料可以在排他樣式下操作,從而讓操作具備原子性。此外,其他執行緒在獲得相同的鎖後也能看到操作結果。
class AtomicOperation {
private int counter0;
private int counter1;
void increment() {
synchronized (this) {
counter0++;
counter1++;
}
}
}
也可以在方法上加 synchronized 關鍵字。
鎖是可重入的。如果執行緒已經持有鎖,它可以再次成功地獲得該鎖。
class Reentrantcy {
synchronized void doAll() {
doFirst();
doSecond();
}
synchronized void doFirst() {
System.out.println("First operation is successful.");
}
synchronized void doSecond() {
System.out.println("Second operation is successful.");
}
}
競爭的程度對獲取 Monitor 的方式有影響:
4.2 wait/notify
wait/notify/notifyAll 方法在 Object 類中宣告。如果之前設定了超時,執行緒進入 WAITING 或 TIMED_WAITING 狀態前保持 wait狀態。要喚醒一個執行緒,可以執行下列任何操作:
- 另一個執行緒呼叫 notify 將喚醒任意一個在 Monitor 上等待的執行緒。
- 另一個執行緒呼叫 notifyAll 將喚醒所有在等待 Monitor 上等待的執行緒。
- 呼叫 Thread#interrupt 後會丟擲 InterruptedException 異常。
最常見的樣式是條件迴圈:
class ConditionLoop {
private boolean condition;
synchronized void waitForCondition() throws InterruptedException {
while (!condition) {
wait();
}
}
synchronized void satisfyCondition() {
condition = true;
notifyAll();
}
}
- 請記住,在物件上呼叫 wait/notify/notifyAll,需要首先獲得該物件的鎖
- 在檢查等待條件的迴圈中保持等待:這解決了另一個執行緒在等待開始之前即滿足條件時的計時問題。 此外,這樣做還可以讓你的程式碼免受可能(也的確會)發生的虛假喚醒
- 在呼叫 notify/notifyAll 前,要確保滿足等待條件。如果不這樣做會引發通知,然而沒有執行緒能夠避免等待迴圈
4.3 volatile 關鍵字
volatile 解決了可見性問題,讓修改成為原子操作。由於存在 happens-before 關係,在接下來讀取 volatile 變數前,先對 volatile 變數進行寫操作。 從而保證了對該欄位的任何讀操作都能督讀到最近一次修改後的值。
class VolatileFlag implements Runnable {
private volatile boolean shouldStop;
public void run() {
while (!shouldStop) {
// 執行操作
}
System.out.println("Stopped.");
}
void stop() {
shouldStop = true;
}
public static void main(String[] args) throws InterruptedException {
VolatileFlag flag = new VolatileFlag();
Thread thread = new Thread(flag);
thread.start();
flag.stop();
thread.join();
}
}
4.4 Atomic
java.util.concurrent.atomic package 包含了一組類,它們用類似 volatile 的無鎖方式支援單個值的原子複合操作。
使用 AtomicXXX 類,可以實現 check-then-act 原子操作:
class CheckThenAct {
private final AtomicReference<String> value = new AtomicReference<>();
void initialize() {
if (value.compareAndSet(null, "Initialized value")) {
System.out.println("Initialized only once.");
}
}
}
AtomicInteger 和 AtomicLong 都提供原子 increment/decrement 操作:
class Increment {
private final AtomicInteger state = new AtomicInteger();
void advance() {
int oldState = state.getAndIncrement();
System.out.println("Advanced: '" + oldState + "' -> '" + (oldState + 1) + "'.");
}
}
如果你希望有這樣一個計數器,不需要在獲取計數的時候具備原子性,可以考慮用 LongAdder 取代 AtomicLong/AtomicInteger。 LongAdder 能在多個單元中存值併在需要時增加計數,因此在競爭激烈的情況下表現更好。
4.5 ThreadLocal
一種在執行緒中包含資料但不用鎖的方法是使用 ThreadLocal 儲存。從概念上講,ThreadLocal 可以看做每個 Thread 存有一份自己的變數。Threadlocal 通常用於儲存每個執行緒的值,比如“當前事務”或其他資源。 此外,還可以用於維護每個執行緒的計數器、統計資訊或 ID 生成器。
class TransactionManager {
private final ThreadLocal<Transaction> currentTransaction
= ThreadLocal.withInitial(NullTransaction::new);
Transaction currentTransaction() {
Transaction current = currentTransaction.get();
if (current.isNull()) {
current = new TransactionImpl();
currentTransaction.set(current);
}
return current;
}
}
5. 安全地釋出物件
想讓一個物件在當前作用域外使用可以釋出物件,例如從 getter 傳回該物件的取用。 要確保安全地釋出物件,僅在物件完全構造好後釋出,可能需要同步。 可以透過以下方式安全地釋出:
- 靜態初始化器。只有一個執行緒可以初始化靜態變數,因為類的初始化在獲取排他鎖條件下完成。
class StaticInitializer {
// 無需額外初始化條件,釋出一個不可變物件
public static final Year year = Year.of(2017);
public static final Set<String> keywords;
// 使用靜態初始化器構造複雜物件
static {
// 建立可變集合
Set<String> keywordsSet = new HashSet<>();
// 初始化狀態
keywordsSet.add("java");
keywordsSet.add("concurrency");
// 設定 set 不可修改
keywords = Collections.unmodifiableSet(keywordsSet);
}
}
- volatile 欄位。由於寫入 volatile 變數發生在讀操作之前,因此讀執行緒總能讀到最新的值。
class Volatile {
private volatile String state;
void setState(String state) {
this.state = state;
}
String getState() {
return state;
}
}
- Atomic。例如 AtomicInteger 將值儲存在 volatile 欄位中,所以 volatile 變數的規則在這裡也適用。
class Atomics {
private final AtomicInteger state = new AtomicInteger();
void initializeState(int state) {
this.state.compareAndSet(0, state);
}
int getState() {
return state.get();
}
}
- final 欄位
class Final {
private final String state;
Final(String state) {
this.state = state;
}
String getState() {
return state;
}
}
確保在物件構造期間不會修改此取用。
class ThisEscapes {
private final String name;
ThisEscapes(String name) {
Cache.putIntoCache(this);
this.name = name;
}
String getName() { return name; }
}
class Cache {
private static final Map<String, ThisEscapes> CACHE = new ConcurrentHashMap<>();
static void putIntoCache(ThisEscapes thisEscapes) {
// 'this' 取用在物件完全構造之前發生了改變
CACHE.putIfAbsent(thisEscapes.getName(), thisEscapes);
}
}
- 正確同步欄位
class Synchronization {
private String state;
synchronized String getState() {
if (state == null)
state = "Initial";
return state;
}
}
6. 不可變物件
不可變物件的一個重要特徵是執行緒安全,因此不需要同步。要成為不可變物件:
- 所有欄位都標記 final
- 所有欄位必須是可變或不可變的物件,註意不要改變物件作用域,否則構造後不能改變物件狀態
- this 取用在構造物件時不要洩露
- 類標記 final,子類無法多載改變類的行為
- 不可變物件示例:
// 標記為 final,禁止繼承
public final class Artist {
// 不可變變數,欄位標記 final
private final String name;
// 不可變變數集合, 欄位標記 final
private final List<Track> tracks;
public Artist(String name, List<Track> tracks) {
this.name = name;
// 防禦性複製
List<Track> copy = new ArrayList<>(tracks);
// 使可變集合不可修改
this.tracks = Collections.unmodifiableList(copy);
// 構造物件期間,'this' 不傳遞到任何其他地方
}
// getter、equals、hashCode、toString 方法
}
// 標記為 final,禁止繼承
public final class Track {
// 不可變變數,欄位標記 final
private final String title;
public Track(String title) {
this.title = title;
}
// getter、equals、hashCode、toString 方法
}
7. 執行緒
java.lang.Thread 類用於表示應用程式執行緒或 JVM 執行緒。 程式碼始終在某個 Thread 類的背景關係中執行,使用 Thread#currentThread() 可傳回自己的當前執行緒。
7.1 如何處理 InterruptedException?
- 清理所有資源,併在當前執行級別盡可能能完成執行緒執行
- 當前方法宣告丟擲 InterruptedException。
- 如果方法沒有宣告丟擲 InterruptedException,那麼應該透過呼叫 Thread.currentThread().interrupt() 將中斷標誌恢復為 true。 並且在這個級別上丟擲更合適的異常。為了能在更高呼叫級別上處理中斷,把中斷標誌設定為 true 非常重要
7.2 處理意料之外的異常
執行緒可以指定一個 UncaughtExceptionHandler 接收由於發生未捕獲異常導致執行緒突然終止的通知。
Thread thread = new Thread(runnable);
thread.setUncaughtExceptionHandler((failedThread, exception) -> {
logger.error("Caught unexpected exception in thread '{}'.",
failedThread.getName(), exception);
});
thread.start();
8. 活躍度
8.1 死鎖
有多個執行緒,每個執行緒都在等待另一個執行緒持有的資源,形成一個獲取資源的執行緒迴圈,這時會發生死鎖。最典型的資源是物件 Monitor ,但也可能是任何可能導致阻塞的資源,例如 wait/notify。
下麵的程式碼可能產生死鎖:
class Account {
private long amount;
void plus(long amount) { this.amount += amount; }
void minus(long amount) {
if (this.amount < amount)
throw new IllegalArgumentException();
else
this.amount -= amount;
}
static void transferWithDeadlock(long amount, Account first, Account second){
synchronized (first) {
synchronized (second) {
first.minus(amount);
second.plus(amount);
}
}
}
}
如果同時出現以下情況,就會發生死鎖:
- 一個執行緒正試圖從第一個帳戶切換到第二個帳戶,並已獲得了第一個帳戶的鎖
- 另一個執行緒正試圖從第二個帳戶切換到第一個帳戶,並已獲得第二個帳戶的鎖
避免死鎖的方法:
- 按順序加鎖:總是以相同的順序獲取鎖
class Account {
private long id;
private long amount;
// 此處略去了一些方法
static void transferWithLockOrdering(long amount, Account first, Account second){
boolean lockOnFirstAccountFirst = first.id < second.id;
Account firstLock = lockOnFirstAccountFirst ? first : second;
Account secondLock = lockOnFirstAccountFirst ? second : first;
synchronized (firstLock) {
synchronized (secondLock) {
first.minus(amount);
second.plus(amount);
}
}
}
}
- 鎖定超時:獲取鎖時不要無限期阻塞,而是釋放所有鎖並重試
class Account {
private long amount;
// 此處略去了一些方法
static void transferWithTimeout(
long amount, Account first, Account second, int retries, long timeoutMillis
) throws InterruptedException {
for (int attempt = 0; attempt < retries; attempt++) {
if (first.lock.tryLock(timeoutMillis, TimeUnit.MILLISECONDS))
{
try {
if (second.lock.tryLock(timeoutMillis, TimeUnit.MILLISECONDS))
{
try {
first.minus(amount);
second.plus(amount);
}
finally {
second.lock.unlock();
}
}
}
finally {
first.lock.unlock();
}
}
}
}
}
Jvm 能夠檢測 Monitor 死鎖,並以執行緒轉儲的形式列印死鎖資訊。
8.2 活鎖與執行緒饑餓
當執行緒將所有時間用於協商資源訪問或者檢測避免死鎖,以至於沒有執行緒能夠訪問資源時,會造成活鎖(Livelock)。 執行緒饑餓發生在執行緒長時間持鎖,導致一些執行緒無法繼續執行被“餓死”。
9. java.util.concurrent
9.1 執行緒池
執行緒池的核心介面是 ExecutorService。 java.util.concurrent 還提供了一個靜態工廠類 Executors,其中包含了新建執行緒池的工廠方法,新建的執行緒池引數採用最常見的配置。
譯註:在平行計算中,work-stealing 是一種針對多執行緒計算機程式的排程策略。 它解決了在具有固定數量處理器或內核的靜態多執行緒計算機上執行動態多執行緒計算的問題,這種計算可以“產生”新的執行執行緒。 在執行時間、記憶體使用和處理器間通訊方面都能夠高效地完成任務。
在調整執行緒池的大小時,通常需要根據執行應用程式的計算機中的邏輯核心數量來確定執行緒池的大小。 在 Java 中,可以透過呼叫 Runtime.getRuntime().availableProcessors() 讀取。
可透過 ExecutorService#submit、ExecutorService#invokeAll 或 ExecutorService#invokeAny 提交任務,可根據不同任務進行多次多載。
9.2 Future
Future 是對非同步計算的一種抽象,代表計算結果。計算結果可能是某個計算值或異常。ExecutorService 的大多數方法都使用 Future 作為傳回型別。使用 Future 時,可透過提供的介面檢查當前狀態,或者一直阻塞直到結果計算完成。
ExecutorService executorService = Executors.newSingleThreadExecutor();
Future<String> future = executorService.submit(() -> "result");
try {
String result = future.get(1L, TimeUnit.SECONDS);
System.out.println("Result is '" + result + "'.");
}
catch (InterruptedException e) {
Thread.currentThread().interrupt();
throw new RuntimeException(e);
}
catch (ExecutionException e) {
throw new RuntimeException(e.getCause());
}
catch (TimeoutException e) {
throw new RuntimeException(e);
}
assert future.isDone();
9.3 鎖
9.3.1 Lock
java.util.concurrent.locks package 提供了標準 Lock 介面。ReentrantLock 在實現 synchronized 關鍵字功能的同時還包含了其他功能,例如獲取鎖的狀態資訊、非阻塞 tryLock() 和可中斷鎖定。直接使用 ReentrantLock 示例如下:
class Counter {
private final Lock lock = new ReentrantLock();
private int value;
int increment() {
lock.lock();
try {
return ++value;
} finally {
lock.unlock();
}
}
}
9.3.2 ReadWriteLock
java.util.concurrent.locks package 還包含 ReadWriteLock 介面(以及 Reentrantreadelock 實現)。該介面定義了一對鎖進行讀寫操作,通常支援多個併發讀取,但只允許一個寫入。
class Statistic {
private final ReadWriteLock lock = new ReentrantReadWriteLock();
private int value;
void increment() {
lock.writeLock().lock();
try {
value++;
} finally {
lock.writeLock().unlock();
}
}
int current() {
lock.readLock().lock();
try {
return value;
} finally {
lock.readLock().unlock();
}
}
}
9.3.3 CountDownLatch
CountDownLatch 用一個計數器初始化。執行緒可以呼叫 await() 等待計數歸零。其他執行緒(或同一執行緒)可能會呼叫 countDown() 來減小計數。一旦計數歸零即不可重用。CountDownLatch 用於發生某些操作時觸發一組未知的執行緒。
9.3.4 CompletableFuture
CompletableFuture 是對非同步計算的一種抽象。 與普通 Future 不同,CompletableFuture 僅支援阻塞方式獲得結果。當結果產生或發生異常時,執行由已註冊的回呼函式建立的任務管道。無論是建立過程中(透過 CompletableFuture#supplyAsync/runAsync),還是在加入回呼過程中( *async
系列方法),如果沒有指定標準的全域性 ForkJoinPool#commonPool 都可以設定執行計算的執行器。
考慮 CompletableFuture 已執行完畢,那麼透過非 async
方法註冊的回呼將在呼叫者的執行緒中執行。
如果程式中有幾個 future,可以使用 CompletableFuture#allOf 獲得一個 future,這個 future 在所有 future 完成時結束。也可以呼叫 CompletableFuture#anyOf 獲得一個 future,這個 future 在其中任何一個 future 完成時結束。
ExecutorService executor0 = Executors.newWorkStealingPool();
ExecutorService executor1 = Executors.newWorkStealingPool();
// 當這兩個 future 完成時結束
CompletableFuture<String> waitingForAll = CompletableFuture
.allOf(
CompletableFuture.supplyAsync(() -> "first"),
CompletableFuture.supplyAsync(() -> "second", executor1)
)
.thenApply(ignored -> " is completed.");
CompletableFuture<Void> future = CompletableFuture.supplyAsync(() -> "Concurrency Refcard", executor0)
// 使用同一個 executor
.thenApply(result -> "Java " + result)
// 使用不同的 executor
.thenApplyAsync(result -> "Dzone " + result, executor1)
// 當前與其他 future 完成後結束
.thenCombine(waitingForAll, (first, second) -> first + second)
// 預設使用 ForkJoinPool#commonPool 作為 executor
.thenAcceptAsync(result -> {
System.out.println("Result is '" + result + "'.");
})
// 通用處理
.whenComplete((ignored, exception) -> {
if (exception != null)
exception.printStackTrace();
});
// 第一個阻塞呼叫:在 future 完成前保持阻塞
future.join();
future
// 在當前執行緒(main)中執行
.thenRun(() -> System.out.println("Current thread is '" + Thread.currentThread().getName() + "'."))
// 預設使用 ForkJoinPool#commonPool 作為 executor
.thenRunAsync(() -> System.out.println("Current thread is '" + Thread.currentThread().getName() + "'."))
9.4 併發集合
使集合執行緒安全最簡單方法是使用 Collections#synchronized* 系列方法。 由於這種解決方案在競爭激烈的情況下效能很差,所以 java.util.concurrent 提供了多種針對併發最佳化的資料結構。
9.4.1 List
譯註:copy-on-write(寫入時複製)是一種計算機程式設計領域的最佳化策略。其核心思想是,如果有多個呼叫者同時請求相同資源(如記憶體或磁碟上的資料儲存),他們會共同獲取相同的指標指向相同的資源,直到某個呼叫者試圖修改資源的內容時,系統才會真正複製一份專用副本給該呼叫者,而其他呼叫者所見到的最初的資源仍然保持不變。這個過程對其他的呼叫者透明。這種做法的主要優點是如果呼叫者沒有修改該資源,就不會新建副本,因此多個呼叫者只是讀取操作可以共享同一份資源。
9.4.2 Map
9.4.3 Set
封裝 concurrent map 進而建立 concurrent set 的另一種方法:
Set<T> concurrentSet = Collections.newSetFromMap(new ConcurrentHashMap<T, Boolean>());
9.4.4 Queue
佇列就像是“生產者”和“消費者”之間的管道。按照“先進先出(FIFO)”順序,將物件從管道的一端加入,從管道的另一端取出。BlockingQueue 介面繼承了 Queue介面,並且增加了(生產者新增物件時)佇列滿或(消費者讀取或移除物件時)佇列空的處理。 在這些情況下,BlockingQueue 提供的方法可以一直保持或在一段時間內保持阻塞狀態,直到等待的條件由另一個執行緒的操作改變。