要点
意图:保证一个类仅有一个实例,并提供一个访问它的全局访问点。 主要解决:一个全局使用的类频繁地创建与销毁。 何时使用:当您想控制实例数目,节省系统资源的时候。 如何解决:判断系统是否已经有这个单例,如果有则返回,如果没有则创建。 关键代码:构造函数是私有的。
懒汉式+synchronized
public class Singleton {
private static Singleton instance;
private Singleton ( ) { }
public statci synchronized Singleton getInstance ( ) {
if ( instance== null) {
instance = new Singleton ( ) ;
}
return instance;
}
饿汉式
public class Singleton {
private static Singleton instance = new Singleton ( ) ;
private Singleton ( ) { }
public static Sinleton getInstance ( ) {
return instance;
}
}
双检锁/双重校验锁
public class Singleton {
private static Singleton instance;
private Single ( ) { }
if ( instance== null) {
synchronized ( Singleton. class ) {
if ( instance== null) {
instance = new Singleton ( ) ;
}
}
}
return instance;
}
静态内部类
public class Single {
private static Class SingleHolder {
private static final Singel INSTANCE = new Single ( ) ;
}
private Single ( ) { }
public static Single getInstance ( ) {
return SingleHolder. INSTANCE;
}
}