做者:山雞併發
鎖做爲併發共享數據,保證一致性的工具,在JAVA平臺有多種實現(如 synchronized 和 ReentrantLock等等 ) 。這些已經寫好提供的鎖爲咱們開發提供了便利,可是鎖的具體性質以及類型卻不多被說起。本系列文章將分析JAVA下常見的鎖名稱以及特性,爲你們答疑解惑。ide
本文裏面講的是廣義上的可重入鎖,而不是單指JAVA下的ReentrantLock。函數
可重入鎖,也叫作遞歸鎖,指的是同一線程 外層函數得到鎖以後 ,內層遞歸函數仍然有獲取該鎖的代碼,但不受影響。
在JAVA環境下 ReentrantLock 和synchronized 都是 可重入鎖工具
下面是使用實例spa
public class Test implements Runnable{ public synchronized void get(){ System.out.println(Thread.currentThread().getId()); set(); } public synchronized void set(){ System.out.println(Thread.currentThread().getId()); } @Override public void run() { get(); } public static void main(String[] args) { Test ss=new Test(); new Thread(ss).start(); new Thread(ss).start(); new Thread(ss).start(); } }
public class Test implements Runnable { ReentrantLock lock = new ReentrantLock(); public void get() { lock.lock(); System.out.println(Thread.currentThread().getId()); set(); lock.unlock(); } public void set() { lock.lock(); System.out.println(Thread.currentThread().getId()); lock.unlock(); } @Override public void run() { get(); } public static void main(String[] args) { Test ss = new Test(); new Thread(ss).start(); new Thread(ss).start(); new Thread(ss).start(); } }
兩個例子最後的結果都是正確的,即 同一個線程id被連續輸出兩次。線程
結果以下:遞歸
Threadid: 8
Threadid: 8
Threadid: 10
Threadid: 10
Threadid: 9
Threadid: 9開發
可重入鎖最大的做用是避免死鎖
咱們以自旋鎖做爲例子,get
public class SpinLock { private AtomicReference<Thread> owner =new AtomicReference<>(); public void lock(){ Thread current = Thread.currentThread(); while(!owner.compareAndSet(null, current)){ } } public void unlock (){ Thread current = Thread.currentThread(); owner.compareAndSet(current, null); } }
對於自旋鎖來講,
一、如有同一線程兩調用lock() ,會致使第二次調用lock位置進行自旋,產生了死鎖
說明這個鎖並非可重入的。(在lock函數內,應驗證線程是否爲已經得到鎖的線程)
二、若1問題已經解決,當unlock()第一次調用時,就已經將鎖釋放了。實際上不該釋放鎖。
(採用計數次進行統計)
修改以後,以下:class
public class SpinLock1 { private AtomicReference<Thread> owner =new AtomicReference<>(); private int count =0; public void lock(){ Thread current = Thread.currentThread(); if(current==owner.get()) { count++; return ; } while(!owner.compareAndSet(null, current)){ } } public void unlock (){ Thread current = Thread.currentThread(); if(current==owner.get()){ if(count!=0){ count--; }else{ owner.compareAndSet(current, null); } } } }
該自旋鎖即爲可重入鎖。