程序師世界是廣大編程愛好者互助、分享、學習的平台,程序師世界有你更精彩!
首頁
編程語言
C語言|JAVA編程
Python編程
網頁編程
ASP編程|PHP編程
JSP編程
數據庫知識
MYSQL數據庫|SqlServer數據庫
Oracle數據庫|DB2數據庫
 程式師世界 >> 編程語言 >> JAVA編程 >> 關於JAVA >> 雙重檢查鎖定失敗可能性

雙重檢查鎖定失敗可能性

編輯:關於JAVA

雙重檢查鎖定在延遲初始化的單例模式中見得比較多(單例模式實現方式很多,這裡為說明雙重檢查鎖定問題,只選取這一種方式),先來看一個版本:

  1. public class Singleton {
  2. private static Singleton instance = null;
  3. private Singleton(){}
  4. public static Singleton getInstance() {
  5. if(instance == null) {
  6. instance = new Singleton();
  7. }
  8. return instance;
  9. }
  10. }

上面是最原始的模式,一眼就可以看出,在多線程環境下,可能會產生多個Singleton實例,於是有了其同步的版本:

  1. public class Singleton {
  2. private static Singleton instance = null;
  3. private Singleton(){}
  4. public synchronized static Singleton getInstance() {
  5. if(instance == null) {
  6. instance = new Singleton();
  7. }
  8. return instance;
  9. }
  10. }

在這個版本中,每次調用getInstance都需要取得Singleton.class上的鎖,然而該鎖只是在開始構建Singleton 對象的時候才是必要的,後續的多線程訪問,效率會降低,於是有了接下來的版本:

  1. public class Singleton {
  2. private static Singleton instance = null;
  3. private Singleton(){}
  4. public static Singleton getInstance() {
  5. if(instance == null) {
  6. synchronized(Singleton.class) {
  7. if(instance == null) {
  8. instance = new Singleton();
  9. }
  10. }
  11. }
  12. return instance;
  13. }
  14. }

很好的想法!不幸的是,該方案也未能解決問題之根本:

原因在於:初始化Singleton 和 將對象地址寫到instance字段 的順序是不確定的。在某個線程new Singleton()時,在構造方法被調用之前,就為該對象分配了內存空間並將對象的字段設置為默認值。此時就可以將分配的內存地址賦值給instance字段了,然而該對象可能還沒有初始化;此時若另外一個線程來調用getInstance,取到的就是狀態不正確的對象。

鑒於以上原因,有人可能提出下列解決方案:

  1. public class Singleton {
  2. private static Singleton instance = null;
  3. private Singleton(){}
  4. public static Singleton getInstance() {
  5. if(instance == null) {
  6. Singleton temp;
  7. synchronized(Singleton.class) {
  8. temp = instance;
  9. if(temp == null) {
  10. synchronized(Singleton.class) {
  11. temp = new Singleton();
  12. }
  13. instance = temp;
  14. }
  15. }
  16. }
  17. return instance;
  18. }
  19. }

該方案將Singleton對象的構造置於最裡面的同步塊,這種思想是在退出該同步塊時設置一個內存屏障,以阻止初始化Singleton 和 將對象地址寫到instance字段 的重新排序。

不幸的是,這種想法也是錯誤的,同步的規則不是這樣的。退出監視器(退出同步)的規則是:所以在退出監視器前面的動作都必須在釋放監視器之前完成。然而,並沒有規定說退出監視器之後的動作不能放到退出監視器之前完成。也就是說同步塊裡的代碼必須在退出同步時完成,而同步塊後面的代碼則可以被編譯器或運行時環境移到同步塊中執行。

編譯器可以合法的,也是合理的,將instance = temp移動到最裡層的同步塊內,這樣就出現了上個版本同樣的問題。

在JDK1.5及其後續版本中,擴充了volatile語義,系統將不允許對 寫入一個volatile變量的操作與其之前的任何讀寫操作 重新排序,也不允許將 讀取一個volatile變量的操作與其之後的任何讀寫操作 重新排序。

在jdk1.5及其後的版本中,可以將instance 設置成volatile以讓雙重檢查鎖定生效,如下:

  1. public class Singleton {
  2. private static volatile Singleton instance = null;
  3. private Singleton(){}
  4. public static Singleton getInstance() {
  5. if(instance == null) {
  6. synchronized(Singleton.class) {
  7. if(instance == null) {
  8. instance = new Singleton();
  9. }
  10. }
  11. }
  12. return instance;
  13. }
  14. }

需要注意的是:在JDK1.4以及之前的版本中,該方式仍然有問題。

  1. 上一頁:
  2. 下一頁:
Copyright © 程式師世界 All Rights Reserved