其他分享
首页 > 其他分享> > 设计模式 -- 单例模式(Singleton Pattern)

设计模式 -- 单例模式(Singleton Pattern)

作者:互联网

当系统中只需要一个实例或者一个全局访问点的时候可以使用单例模式。

懒汉式单例

public class Singleton {
    private static Singleton instance;


    private Singleton() {
    }


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

双层校验锁单例

public class Singleton {
    private static volatile Singleton instance;


    private Singleton() {
    }


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

容器单例(饿汉模式)

public class Singleton {
    private final static Singleton INSTANCE= new Singleton();


    private Singleton() {
    }


    public static Singleton getInstance(){
        return INSTANCE;
    }
}

静态内部类单例

public class Singleton {


    private Singleton() {
    }


    private static class SingletonInstance {
        private final static Singleton INSTANCE = new Singleton();
    }


    public static Singleton5 getInstance() {
        return SingletonInstance.INSTANCE;
    }
}

枚举单例

public enum Singleton {
    INSTANCE;
}


 根据以下文章总结:

  1. Java设计模式:23种设计模式全面解析(超级详细)HYPERLINK http://c.biancheng.net/design_pattern/ n委派模式在JDK以及Spring源码中的应用_蒙奇D灬小武的博客-CSDN博客

  2. 3种设计模式详解 https://www.iteye.com/blog/zz563143188-1847029 

  3. Android系统编程思想:设计模式https://github.com/sucese/android-open-source-project-analysis/blob/master/doc/Android%E7%B3%BB%E7%BB%9F%E8%BD%AF%E4%BB%B6%E8%AE%BE%E8%AE%A1%E7%AF%87/02Android%E7%B3%BB%E7%BB%9F%E8%BD%AF%E4%BB%B6%E8%AE%BE%E8%AE%A1%E7%AF%87%EF%BC%9A%E8%AE%BE%E8%AE%A1%E6%A8%A1%E5%BC%8F.md#35-%E8%A7%82%E5%AF%9F%E8%80%85%E6%A8%A1%E5%BC%8F

  4. 设计模式 https://blog.csdn.net/shusheng0007/category_8638565.html 永不磨灭的设计模式(有这一篇真够了,拒绝标题党)_ShuSheng007的博客-CSDN博客_永不磨灭的设计模式

  5. java设计模式 https://blog.csdn.net/qq_37909508/category_8976362.html

  6. 设计模式 设计模式 - 随笔分类 - 左潇龙 - 博客园

  7. 设计模式 在源码中的应用 https://blog.csdn.net/qq_36970993/category_10620886.html

  8. Android系统设计中存在设计模式分析 https://www.2cto.com/kf/201208/150650.html

  9. Android设计模式系列 - 基于android的各种代码分析各种设计模式 https://www.cnblogs.com/qianxudetianxia/category/312863.html 

标签:Singleton,E8%,--,private,static,设计模式,public
来源: https://blog.csdn.net/scoryy/article/details/123636803