设计模式 - 单例模式

定义:

Ensure a class has only one instance, and provide a global point of access to it.(确保某一个类只有一个实例, 而且自行实例化并向整个系统提供这个实例。 )

实现方式很多,推荐使用:静态内部类方式(Holder)

1. 饿汉式

  • 优点:没有加锁,执行效率会提高。
  • 缺点:类加载时就初始化,浪费内存。
public class Singleton {

    private static final Singleton mSingleton = new Singleton();

    private Singleton() {

    }

    public static Singleton getInstance() {
        return mSingleton;
    }

    public void doSomething() {
        System.out.println(this.hashCode());
    }

}

2. 懒汉式

  • 优点:第一次调用才初始化,避免内存浪费。
  • 缺点:多个线程访问不安全
public class Singleton {

    private static Singleton mSingleton;

    private Singleton() {

    }

    public static Singleton getInstance() {
        if (mSingleton == null) {
            mSingleton = new Singleton();
        }
        return mSingleton;
    }

    public void doSomething() {
        System.out.println(this.hashCode());
    }

}

3. 双重检查加锁

  • 优点:第一次调用才初始化,避免内存浪费。
  • 缺点:必须加锁synchronized 才能保证单例,但加锁会影响效率。
public class Singleton {

    private static volatile Singleton mSingleton;

    private Singleton() {

    }

    public static Singleton getInstance() {
        if (mSingleton == null) {
            synchronized (Singleton.class) {
                if (mSingleton == null) {
                    mSingleton = new Singleton();
                }
            }
        }
        return mSingleton;
    }

    public void doSomething() {
        System.out.println(this.hashCode());
    }
}

4. 静态内部类方式(Holder)

推荐使用这种方式,其他方式都存在一定的缺点,要么是资源要么是不安全
内部类只有在外部类被调用才加载,产生SINGLETON实例;又不用加锁。此模式有上述两个模式的优点,屏蔽了它们的缺点,是最好的单例模式。

public class Singleton {

    private static class SingletonHolder {
        private static final Singleton INSTENCE = new Singleton();
    }

    private Singleton() {
    }

    public static Singleton getInstance() {
        return SingletonHolder.INSTENCE;

    }

    public void doSomething() {
        System.out.println(this.hashCode());
    }

}

你可能感兴趣的:(设计模式 - 单例模式)