单例模式:
应用场合:有些对象只需要一个就足够了,如皇帝等;
作用:保证整个应用程序中,某个实例有且只有一个;
类型:饿汉式模式,懒汉式模式;
步骤:(饿汉模式)1将构造方式私有化;不允许外部直接创建对象;
2创建类的唯一实例(private static类型的);
3提供一个用于获取实例的方法(public static);
饿汉式:在类加载的时候就会创建一个类的实例;
public class Singleton { //1.将构造方法私有化,不允许外部直接创建对象 private Singleton(){ } //2.创建类的唯一实例,使用private static修饰 private static Singleton instance=new Singleton(); //3.提供一个用于获取实例的方法,使用public static修饰 public static Singleton getInstance(){ return instance; } }
测试:
Singleton s1=Singleton.getInstance(); Singleton s2=Singleton.getInstance(); if(s1==s2){ System.out.println("s1和s2是同一个实例"); }else{ System.out.println("s1和s2不是同一个实例"); }
懒汉模式
public class Singleton2 { //1.将构造方式私有化,不允许外边直接创建对象 private Singleton2(){ } //2.声明类的唯一实例,使用private static修饰没有实例化 private static Singleton2 instance; //3.提供一个用于获取实例的方法,使用public static修饰 public static Singleton2 getInstance(){ if(instance==null){ instance=new Singleton2(); } return instance; } } 测试 //懒汉模式 Singleton2 s3=Singleton2.getInstance(); Singleton2 s4=Singleton2.getInstance(); if(s3==s4){ System.out.println("s3和s4是同一个实例"); }else{ System.out.println("S3和s4不是同一个实例"); }
区别:饿汉模式:加载类是比较慢;但运行时获取对象的速度比较快;线程安全的
懒汉模式则相反
参考地址:
http://www.2cto.com/kf/201310/249105.html
public class Singleton { private static class SingletonHolder{ //单例变量 private static Singleton instance = new Singleton(); } //私有化的构造方法,保证外部的类不能通过构造器来实例化。 private Singleton() { } //获取单例对象实例 public static Singleton getInstance() { System.out.println("我是内部类单例!"); return SingletonHolder.instance; } }