标签:
单例模式就是说系统中对于某类的只能有一个对象,不可能出来第二个。
1.单例模式-饿汉式(线程安全,不需要同步机制)
public class Singleton { private static Singleton instance=new Singleton(); ///直接初始化一个实例对象 private Singleton(){ ///private类型的构造函数,保证其他类对象不能直接new一个该对象的实例 } public static Singleton getInstance(){ //该类唯一的一个public方法 return instance; } }
上述代码中的一个缺点是该类加载的时候就会直接new 一个静态对象出来,当系统中这样的类较多时,会使得启动速度变慢 。现在流行的设计都是讲“延迟加载”,我们可以在第一次使用的时候才初始化第一个该类对象。
2.单例模式-懒汉式(线程不安全,使用同步方法)
public class Singleton { private static Singleton instance;
private Singleton (){
} public static synchronized Singleton getInstance(){ //对获取实例的方法进行同步 if (instance == null) instance = new Singleton(); return instance; }
}
上述代码中的一次锁住了一个方法, 这个粒度有点大 ,改进就是只锁住其中的new语句就OK。
3.单例模式-懒汉式(线程不安全,使用同步代码块)
public class Singleton { private static Singleton instance; private Singleton (){ } public static Singleton getInstance(){ //对获取实例的方法进行同步 if (instance == null){ synchronized(Singleton.class){ if (instance == null) instance = new Singleton(); } } return instance; } }
标签:
原文地址:http://www.cnblogs.com/cowboys/p/5582106.html