温馨提示×

java单例模式代码怎么写

小亿
88
2023-12-11 16:09:43
栏目: 编程语言

单例模式(Singleton Pattern)是一种创建型设计模式,它保证一个类只有一个实例,并提供一个全局访问这个实例的入口。在Java中,可以通过以下几种方式来实现单例模式:

  1. 懒汉式单例模式(Lazy Initialization):
public class Singleton {
    private static Singleton instance;

    private Singleton() {
        // 私有构造函数,防止外部类直接实例化
    }

    public static Singleton getInstance() {
        if (instance == null) {
            instance = new Singleton();
        }
        return instance;
    }
}
  1. 饿汉式单例模式(Eager Initialization):
public class Singleton {
    private static Singleton instance = new Singleton();

    private Singleton() {
        // 私有构造函数,防止外部类直接实例化
    }

    public static Singleton getInstance() {
        return instance;
    }
}
  1. 双重检查锁定单例模式(Double-Checked Locking):
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;
    }
}

以上是常见的三种单例模式的实现方式,可以根据具体的需求选择适合的方式。需要注意的是,单例模式在多线程环境下需要考虑线程安全问题,可以通过加锁或者使用volatile关键字来实现线程安全。

0