C++中实现单例模式的方法有多种,以下是两种常用的方法:
class Singleton {
private:
static Singleton* instance;
Singleton() {} // 私有构造函数
public:
static Singleton* getInstance() {
if (instance == nullptr) {
instance = new Singleton();
}
return instance;
}
};
Singleton* Singleton::instance = nullptr;
在饿汉式单例模式中,实例在程序启动时就已经创建好,getInstance()方法直接返回该实例。如果需要延迟实例化,则可以在getInstance()方法中进行判断和实例化。
class Singleton {
private:
static Singleton* instance;
Singleton() {} // 私有构造函数
public:
static Singleton* getInstance() {
if (instance == nullptr) {
instance = new Singleton();
}
return instance;
}
};
Singleton* Singleton::instance = nullptr;
懒汉式单例模式中,实例在第一次调用getInstance()方法时才会被创建,需要注意在多线程环境下的线程安全性问题。可以使用锁机制或者双重检查锁机制来保证线程安全性。
需要注意的是,以上两种方式都需要将默认构造函数设为私有,以防止在其他地方直接实例化对象。