--[i]Head First Design Pattern[/i]
定义:
单件模式确保一个类只有一个实例,并提供一个全局访问点。
适用地方:
eg:线程池(threadpool)、缓存(cache)、对话框、处理偏好设置和注册表(registry)的对象、日志对象、充当打印机、显卡等设备的驱动程序的对象。
三要素:对自身的引用,私有构造器,static getInstance()方法
关键字:
①延迟实例化②同步问题③double-check locking④类加载器
1、
2、多线程情况下:
把getInstance()变成同步(synchronized)方法:
性能问题:同步一个方法可能使性能下降100倍
方案:
(1)“急切”创建实例,不使用延迟实例化
适用:应用程序总是创建并使用单件实例,或在创建和运行方面负担不太繁重
(2)“双重检查加锁(double-checked locking)”,在getInstance()中减少使用同步
注:
1、volatile关键字:确保当uniqueInstance变量被初始化成Singleton实例时,多 个线程正确的处理uniqueInstance变量。
2、在1.4及更早版本的Java中,许多JVM对volatile关键字的实现会导致双重加锁失败的失效。
类加载器问题:
每个类加载器定义了一个命名空间,如果有两个以上的类加载器,不同的类加载器可能会加载同一个类,就可能会产生多个单件并存的现象。
若程序有多个类加载器又使用了单件模式:自行指定类加载器,并指定同一个类加载器。
序列化问题:
[i]study[/i]ing..
定义:
单件模式确保一个类只有一个实例,并提供一个全局访问点。
适用地方:
eg:线程池(threadpool)、缓存(cache)、对话框、处理偏好设置和注册表(registry)的对象、日志对象、充当打印机、显卡等设备的驱动程序的对象。
三要素:对自身的引用,私有构造器,static getInstance()方法
关键字:
①延迟实例化②同步问题③double-check locking④类加载器
1、
public class Singleton{
private static Singleton uniqueInstance;
//other field
private Singleton(){} //私有构造器
public static Singleton getInstance(){
if(uniqueInstance == null){
uniqueInstance = new Singleton();
}
return uniqueInstance;
}
//other useful methods
}
2、多线程情况下:
把getInstance()变成同步(synchronized)方法:
public class Singleton{
private static Singleton uniqueInstance;
//other field
private Singleton(){} //私有构造器
public static synchronized Singleton getInstance(){
if(uniqueInstance == null){
uniqueInstance = new Singleton();
}
return uniqueInstance;
}
//other useful method
}
性能问题:同步一个方法可能使性能下降100倍
方案:
(1)“急切”创建实例,不使用延迟实例化
适用:应用程序总是创建并使用单件实例,或在创建和运行方面负担不太繁重
public class Singleton{
private static Singleton uniqueInstance = new Singleton();
private Singleton(){} //私有构造器
public static Singleton getInstance(){
return uniqueInstance;
}
}
(2)“双重检查加锁(double-checked locking)”,在getInstance()中减少使用同步
public class Singleton{
private volatile static Singleton uniqueInstance;
private Singleton(){} //私有构造器
public static Singleton getInstance(){
if(uniqueInstance == null){
synchronized (Singleton.class){
if(uniqueInstance == null){
uniqueInstance = new Singleton();
}
}
}
return uniqueInstance;
}
}
注:
1、volatile关键字:确保当uniqueInstance变量被初始化成Singleton实例时,多 个线程正确的处理uniqueInstance变量。
2、在1.4及更早版本的Java中,许多JVM对volatile关键字的实现会导致双重加锁失败的失效。
类加载器问题:
每个类加载器定义了一个命名空间,如果有两个以上的类加载器,不同的类加载器可能会加载同一个类,就可能会产生多个单件并存的现象。
若程序有多个类加载器又使用了单件模式:自行指定类加载器,并指定同一个类加载器。
序列化问题:
[i]study[/i]ing..