Java基礎知識のまとめ(五)

10152 ワード

Java単例モード
コンセプト:
JAvaにおける単例モードは一般的な設計モードであり、単例モードは怠け者モード単例、餓漢モード単例、登録モードの3種類に分けられる.
単例モードには特徴があります.1、単例クラスには1つのインスタンスしかありません.2、単一のインスタンスクラスは自分で自分の唯一のインスタンスを作成しなければならない.3、単一のクラスは、他のすべてのオブジェクトにこのインスタンスを提供する必要があります.
単一のインスタンス・モードは、クラスに1つのインスタンスしかなく、独自にインスタンス化され、システム全体にこのインスタンスが提供されることを保証します.
1.餓漢式単例類
 
 1 //      .      ,        
 2  public class Singleton1 {
 3      //        
 4      private Singleton1() {}
 5      //        
 6      private static final Singleton1 single = new Singleton1();
 7      //       
 8      public static Singleton1 getInstance() {
 9          return single;
10      }
11  }

 
2.怠け者式単例類
 
 1 //      .             
 2  public class Singleton2 {
 3      //        
 4      private Singleton2() {}
 5      //  ,    final    
 6      private static Singleton2 single=null;
 7      //       
 8      public synchronized  static Singleton2 getInstance() {
 9           if (single == null) {  
10               single = new Singleton2();
11           }  
12          return single;
13      }
14  }

 
3.登録式単例類
 
 1 import java.util.HashMap;
 2  import java.util.Map;
 3  //      .
 4  //  Spring     ,     ,         。
 5  public class Singleton3 {
 6      private static Map<String,Singleton3> map = new HashMap<String,Singleton3>();
 7      static{
 8          Singleton3 single = new Singleton3();
 9          map.put(single.getClass().getName(), single);
10      }
11      //        
12      protected Singleton3(){}
13      //      ,         
14      public static Singleton3 getInstance(String name) {
15          if(name == null) {
16              name = Singleton3.class.getName();
17              System.out.println("name == null"+"--->name="+name);
18          }
19          if(map.get(name) == null) {
20              try {
21                  map.put(name, (Singleton3) Class.forName(name).newInstance());
22              } catch (InstantiationException e) {
23                  e.printStackTrace();
24              } catch (IllegalAccessException e) {
25                  e.printStackTrace();
26              } catch (ClassNotFoundException e) {
27                  e.printStackTrace();
28              }
29          }
30          return map.get(name);
31      }
32      //          
33      public String about() {    
34          return "Hello, I am RegSingleton.";    
35      }    
36      public static void main(String[] args) {
37          Singleton3 single3 = Singleton3.getInstance(null);
38          System.out.println(single3.about());
39      }
40  }