解释 C++ 单例设计模式。
单例设计模式是一个软件设计原则,用于限制类的实例化到一个对象。如果需要恰好一个对象来跨系统协调操作,这将非常有用。例如,如果你使用的是一个记录器,将日志写入到文件,则可以使用单例类来创建一个这样的记录器。可以使用以下代码创建单例类 −
示例
#include <iostream> using namespace std; class Singleton { static Singleton *instance; int data; // Private constructor so that no objects can be created. Singleton() { data = 0; } public: static Singleton *getInstance() { if (!instance) instance = new Singleton; return instance; } int getData() { return this -> data; } void setData(int data) { this -> data = data; } }; //Initialize pointer to zero so that it can be initialized in first call to getInstance Singleton *Singleton::instance = 0; int main(){ Singleton *s = s->getInstance(); cout << s->getData() << endl; s->setData(100); cout << s->getData() << endl; return 0; }
输出
这将给出输出 −
0 100
广告