首頁 > 軟體

java執行緒之Happens before規則案例詳解

2022-08-03 14:02:28

正文

happens-before 規定了對共用變數的寫操作對其它執行緒的讀操作可見,它是可見性與有序性的一套規則總結,拋開以下 happens-before 規則,JMM 並不能保證一個執行緒對共用變數的寫,對於其它執行緒對該共用變數的讀可見.

案例1

執行緒解鎖 m 之前對變數的寫,對於接下來對 m 加鎖的其它執行緒對該變數的讀可見

    static int x;
    static Object m = new Object();

    new Thread(()->{
         synchronized(m) {
         x = 10;
         }
    },"t1").start();

    new Thread(()->{
         synchronized(m) {
         System.out.println(x);
         }
    },"t2").start();
/*
執行結果:
10
*/

案例2

執行緒對 volatile 變數的寫,對接下來其它執行緒對該變數的讀可見

    volatile static int x;
    new Thread(()->{
     x = 10;
    },"t1").start();

    new Thread(()->{
     System.out.println(x);
    },"t2").start();
/*
執行結果:
10
*/

案例3

執行緒 start 前對變數的寫,對該執行緒開始後對該變數的讀可見

static int x;
x = 10;
new Thread(()->{
 System.out.println(x);
},"t2").start();
/*
執行結果:
10
*/

案例4

執行緒結束前對變數的寫,對其它執行緒得知它結束後的讀可見(比如其它執行緒呼叫 t1.isAlive() 或 t1.join()等待 它結束)

static int x;
Thread t1 = new Thread(()->{
 x = 10;
},"t1");
t1.start();
t1.join();
System.out.println(x);
/*
執行結果:
10
*/

案例5

執行緒 t1 打斷 t2(interrupt)前對變數的寫,對於其他執行緒得知 t2 被打斷後對變數的讀可見(通過 t2.interrupted 或 t2.isInterrupted)

static int x;
public static void main(String[] args) {
    
     Thread t2 = new Thread(()->{
         while(true) {
             if(Thread.currentThread().isInterrupted()) {
             System.out.println(x);
             break;
             }
         }
     },"t2");
     t2.start();
    
     new Thread(()->{
         sleep(1);
         x = 10;
         t2.interrupt();
     },"t1").start();
     while(!t2.isInterrupted()) {
         Thread.yield();
     }
     System.out.println(x);
}
/*
執行結果:
10
*/

案例6

對變數預設值(0,false,null)的寫,對其它執行緒對該變數的讀可見

    static int a;
    public static void main(String[] args) {
        new Thread(()->{
            System.out.println(a);
        }).start();

    }
/*
執行結果:
0
*/

案例7

具有傳遞性,如果 x hb-> y 並且 y hb-> z 那麼有 x hb-> z ,配合 volatile 的防指令重排,有下面的例子

volatile static int x;
static int y;
new Thread(()->{ 
 y = 10;
 x = 20;
},"t1").start();
new Thread(()->{
 // x=20 對 t2 可見, 同時 y=10 也對 t2 可見
 System.out.println(x); 
},"t2").start();
/*
執行結果:
20
*/

以上就是java執行緒之Happens-before規則的詳細內容,更多關於執行緒Happens-before規則的資料請關注it145.com其它相關文章!


IT145.com E-mail:sddin#qq.com