美文网首页
创建型模式 --- 单例

创建型模式 --- 单例

作者: 十二找十三 | 来源:发表于2019-06-19 14:20 被阅读0次

1.懒汉式,线程不安全

 public class Singleton{
    private Singleton() {}

    private static Singleton instance;

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

2.懒汉式,线程安全

 public class Singleton{
    private Singleton() {}

    private static Singleton instance;

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

3.饿汉式,线程安全

public class Singleton{
    private Singleton() {}

    private static Singleton instance = new Singleton();

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

4.枚举,线程安全

public enum Singleton {  
    INSTANCE;  
    public void whateverMethod() {  
    }  
}

5.双检锁/双重校验锁

public class Singleton {  
    private volatile static Singleton singleton;  
    private Singleton (){}  
    public static Singleton getSingleton() {  
      if (null == singleton) {  
        synchronized (Singleton.class) {  
          if (null == singleton) {  
            singleton = new Singleton();  
          }  
        }  
      }  
      return singleton;  
    }  
}

相关文章

  • 开发之设计模式-单例模式

    设计模式 设计模式分为三大类:创建型、结构型、行为型在Java中有24中设计模式 创建型:单例 1、为什么用单例模...

  • 2.架构设计(单例模式设计)

    1.设计模式分为三个类 创建型 结构型 行为型 2.创建型:单例模式 为什么用单例模式?如果你看到这个问题,你怎么...

  • 【设计模式】创建型设计模式汇总

    创建型设计模式汇总 1. 单例模式 1.1 单例模式的定义 一个类只允许创建一个对象或实例。 1.2 单例模式的作...

  • 单例模式

    单例 单例模式,是一种设计模式,属于创建型设计模式,还有一种创建型设计模式,工厂模式。设计模式总共有23种,三大类...

  • 23种设计模式学习总结

    创建型设计模式 主要解决对象的创建问题,封装复杂的创建过程,解耦对象的创建代码合使用代码。 单例模式 单例模式用来...

  • S4. 单例模式

    单例模式(Singleton) 介绍 单例模式是创建型设计模式,即用于创建对象的设计。其能够保证当前系统仅存在一个...

  • Python 之单例模式

    简介:单例模式(Singleton Pattern) 是最简单的设计模式之一,属于创建型的设计模式。单例模式涉及到...

  • iOS架构探究--单例模式

    设计模式分为三大类:创建型、结构性、行为型。单例模式就属于创建类。 1.为什么用单例模式? 由开发者的编程习惯...

  • “Python的单例模式有四种写法,你知道么?”——孔乙己

    什么是单例模式 单例模式(Singleton Pattern)是最简单的设计模式之一。这种类型的设计模式属于创建型...

  • 设计模式分类

    经典23种设计模式: 创建型设计模式: Singleton Pattern(单例模式) PrototypePatt...

网友评论

      本文标题:创建型模式 --- 单例

      本文链接:https://www.haomeiwen.com/subject/wiwqfctx.html