-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy path17-P9.cc
55 lines (53 loc) · 1.27 KB
/
17-P9.cc
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
// 单例模式----多线程加锁以保护单例,
#include <iostream>
#include <thread>
#include <unistd.h>
#include <mutex>
std::mutex m;
class SingletonClass
{
public:
static SingletonClass *GetInstance()
{
static SingletonClass *instance = nullptr;
#define CONDITION 1
#if CONDITION == 0
// 简单枷锁, 这种方法效率低
std::unique_lock<std::mutex> ul(m);
if (instance == nullptr)
{
instance = new SingletonClass();
}
#elif CONDITION == 1
// 条件判断加锁, 这种效率高
// 它本质上是把一些不需要加锁解锁的情况给过滤掉了
if (instance == nullptr) //这种写法叫双重检查
{
std::unique_lock<std::mutex> ul(m);
if (instance == nullptr)
{
instance = new SingletonClass();
}
}
#else
#endif //CONDITION
return instance;
}
private:
SingletonClass(){};
};
void a_func()
{
SingletonClass *scp = SingletonClass::GetInstance();
std::cout << std::endl
<< scp << std::endl;
}
int main(int argc, char const *argv[])
{
std::thread trd1(a_func);
std::thread trd2(a_func);
trd1.join();
trd2.join();
std::cout << "this is a main!" << std::endl;
return 0;
}