java中如何實現可重入的自旋鎖

dapan發表於2021-09-11

java中如何實現可重入的自旋鎖

說明

1、是指試圖獲得鎖的執行緒不會堵塞,而是透過迴圈獲得鎖。

2、優點:減少上下文切換的消耗。

缺點:迴圈消耗CPU。

例項

public class ReentrantSpinLock {
 
 
    private AtomicReference<Thread> owner = new AtomicReference<>();
 
    // 可重入次數
    private int count = 0;
 
    // 加鎖
    public void lock() {
        Thread current = Thread.currentThread();
        if (owner.get() == current) {
            count++;
            return;
        }
        while (!owner.compareAndSet(null, current)) {
            System.out.println("--我在自旋--");
        }
    }
 
    //解鎖
    public void unLock() {
        Thread current = Thread.currentThread();
        //只有持有鎖的執行緒才能解鎖
        if (owner.get() == current) {
            if (count > 0) {
                count--;
            } else {
                //此處無需CAS操作,因為沒有競爭,因為只有執行緒持有者才能解鎖
                owner.set(null);
            }
        }
    }
 
    public static void main(String[] args) {
        ReentrantSpinLock spinLock = new ReentrantSpinLock();
        Runnable runnable = () -> {
            System.out.println(Thread.currentThread().getName() + "開始嘗試獲取自旋鎖");
            spinLock.lock();
            try {
                System.out.println(Thread.currentThread().getName() + "獲取到了自旋鎖");
                Thread.sleep(4000);
            } catch (InterruptedException e) {
                e.printStackTrace();
            } finally {
                spinLock.unLock();
                System.out.println(Thread.currentThread().getName() + "釋放了了自旋鎖");
            }
        };
        Thread thread1 = new Thread(runnable);
        Thread thread2 = new Thread(runnable);
        thread1.start();
        thread2.start();
    }
}

以上就是java中實現可重入自旋鎖的方法,希望對大家有所幫助。更多Java學習指路:

本教程操作環境:windows7系統、java10版,DELL G3電腦。

來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/758/viewspace-2829950/,如需轉載,請註明出處,否則將追究法律責任。

相關文章