-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathSingleton-Pattern
112 lines (93 loc) · 2.42 KB
/
Singleton-Pattern
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
1.单例模式
定义:确保一个类只有一个实例,并提供一个全局访问点。
原则:依赖抽象,不依赖具体类
优点:
.你可以保证一个类只有一个实例。
.你获得了一个指向该实例的全局访问节点
缺点:
.由于单例模式,不是抽象的所以可扩展性比较差;
.单例类,职责过重,在一定程度上,违背了单一职责
饿汉版(Eager Singleton)
class singleton {
private:
singleton() {}
static singleton *p;
public:
static singleton *instance();
};
singleton *singleton::p = new singleton();
singleton* singleton::instance() {
return p;
}
懒汉模式
#include <iostream>
#include <atomic>
#include <thread> // std::thread
#include <mutex>
using namespace std;
class singleton {
private:
singleton()
{
cout<<"construct ..."<<endl;
}
~singleton()
{
cout<<"destroy .... ";
}
static atomic<singleton *> p;
static mutex lock_;
public:
static singleton *instance();
// 实现一个内嵌垃圾回收类
class CGarbo
{
public:
~CGarbo()
{
singleton *tmp = singleton::p.load(memory_order_relaxed);
if(tmp)
delete tmp;
}
};
static CGarbo Garbo; // 定义一个静态成员变量,程序结束时,系统会自动调用它的析构函数从而释放单例对象
};
singleton::CGarbo singleton::Garbo;
mutex singleton::lock_;
atomic<singleton *> singleton::p;
/*
* std::atomic_thread_fence(std::memory_order_acquire);
* std::atomic_thread_fence(std::memory_order_release);
* 这两句话可以保证他们之间的语句不会发生乱序执行。
*/
singleton *singleton::instance() {
singleton *tmp = p.load(memory_order_relaxed);
atomic_thread_fence(memory_order_acquire);
if (tmp == nullptr) {
lock_guard<mutex> guard(lock_);
tmp = p.load(memory_order_relaxed);
if (tmp == nullptr) {
tmp = new singleton();
atomic_thread_fence(memory_order_release);
p.store(tmp, memory_order_relaxed);
}
}
return p;
}
int main()
{
singleton::instance();
return 0;
}
c++11 实现
class CSingleton
{
private:
CSingleton(void)
public:
static CSingleton & getInstance()
{
static CSingleton m_pInstance; //局部静态变量
return m_pInstance;
}
};