使用String.intern() 減小synchronized鎖字粒度
阿新 • • 發佈:2019-02-09
String的intern()方法,其實總結一句就是呼叫這個方法之後把字串物件加入常量池中,常量池我們都知道他是存在於方法區的,他是方法區的一部分,而方法區是執行緒共享的,所以常量池也就是執行緒共享的,但是他並不是執行緒不安全的,他其實是執行緒安全的,他僅僅是讓有相同值的引用指向同一個位置而已,如果引用值變化了,但是常量池中沒有新的值,那麼就會新開闢一個常量結果來交給新的引用,而並非像執行緒不同步那樣,針對同一個物件,new出來的字串和直接賦值給變數的字串存放的位置是不一樣的,前者是在堆裡面,而後者在常量池裡面,另外,在做字串拼接操作,也就是字串相"+"的時候,得出的結果是存在在常量池或者堆裡面,這個是根據情況不同不一定的,我寫了幾行程式碼測試了一下。
先上結果:
1.直接定義字串變數的時候賦值,如果表示式右邊只有字串常量,那麼就是把變數存放在常量池裡面。
2.new出來的字串是存放在堆裡面。
3.對字串進行拼接操作,也就是做"+"運算的時候,分2中情況:
i.表示式右邊是純字串常量,那麼存放在棧裡面。
ii.表示式右邊如果存在字串引用,也就是字串物件的控制代碼,那麼就存放在堆裡面。
package com.syn; /** * Created by Liuxd on 2018-08-10. */ public class TestIntern { public static void main(String[] args) { String str1 = "aaa"; String str2 = "bbb"; String str3 = "aaabbb"; String str4 = str1 + str2; String str5 = "aaa" + "bbb"; System.out.println(str3 == str4); // false System.out.println(str3 == str4.intern()); // true System.out.println(str3 == str5);// true } }
結果:str1、str2、str3、str5都是存在於常量池,str4由於表示式右半邊有引用型別,所以str4存在於堆記憶體,而str5表示式右邊沒有引用型別,是純字串常量,就存放在了常量池裡面。其實Integer這種包裝型別的-128 ~ +127也是存放在常量池裡面,比如Integer i1 = 10;Integer i2 = 10; i1 == i2結果是true,估計也是為了效能優化。
直接貼程式碼:
1、主方法類
package com.syn; /** * Created by Liuxd on 2018-08-10. */ public class TestSyn extends Thread { private TestPrint testPrint; private String str; public TestSyn(TestPrint testPrint, String str) { this.testPrint = testPrint; this.str = str; } public void run() { try { System.out.println(Thread.currentThread().getId() + "開始執行..."); testPrint.print(str); } catch (Exception e) { e.printStackTrace(); } } public static void main(String[] args) { TestPrint testPrint = new TestPrint(); for (int i = 1; i < 100; i++) { String str = "鎖定訂單ID"; TestSyn testSyn = new TestSyn(testPrint, String.valueOf(str)); testSyn.start(); } } }
2、操作類
package com.syn;
import java.text.SimpleDateFormat;
import java.util.Date;
/**
* Created by Liuxd on 2018-08-10.
*/
public class TestPrint {
public static SimpleDateFormat sdf = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss");//格式化
public void print(String str) {
synchronized (str.intern()) {
try {
Thread.sleep(1000);
System.out.println(Thread.currentThread().getId() + "列印操作:" + str + " 時間" + sdf.format(new Date()));
} catch (Exception e) {
e.printStackTrace();
}
}
}
}
參考: