一、介绍
单例模式是Java23种设计模式之一,Singleton模式主要作用是保证在Java应用程序中,一个类Class只有一个实例存在。
二、特点
单例模式有以下特点:
1、单例类只能有一个实例。
2、单例类必须自己创建自己的唯一实例。
3、单例类必须给所有其他对象提供这一实例。
三、优缺点
四、形式
1 public class Singleton { 2 3 private static Singleton instance = null; 4 //构造方法私有化,让其他类不能通过new Singleton()来获取Singleton对象 5 private Singleton() { 6 7 } 8 //加synchronized是为了实现线程安全 9 public static synchronized Singleton getInstance() { 10 if (instance == null) { 11 instance = new Singleton(); 12 } 13 return instance; 14 } 15 }
第二种形式:饿汉式
1 public class Singleton2 { 2 3 private static Singleton2 instance = new Singleton2();//在定义实例的同时就进行实例化 4 5 private Singleton2() { 6 7 } 8 //直接获取实例 9 public static Singleton2 getInstance() { 10 return instance; 11 } 12 }
第三种形式: 双重锁的形式。
1 public class Singleton { 2 3 private static Singleton instance = null; 4 5 private Singleton() { 6 7 } 8 9 public static Singleton getInstance() { 10 if (instance == null) { 11 synchronized(Singleton.class){ 12 if (instance == null) { 13 instance = new Singleton(); 14 } 15 } 16 } 17 return instance; 18 } 19 }
原文:http://www.cnblogs.com/zq-boke/p/5830055.html