赞
踩
C++中单实例模式的一个简单的写法是:将对象定义为一个函数的局部静态变量,然后返回对象的引用,这样在函数首次调用时完成静态对象的初始化,但这一做法在C++11前并不是线程安全的,而C++11已经可以保证其线程安全性:
在当前线程执行到需要初始化静态变量时,如果有其他线程正在初始化该变量,则阻塞当前线程,直到初始化完成为止。
- #include <iostream>
- #include <thread>
- using namespace std;
-
- class A{
- public:
- A(int t)
- {
- cout<<"constructor A, thread:"<<t<<endl;
- }
- };
-
- A& getSignleA(int t)
- {
- static A s_a(t); //函数首次被调用时,初始化本地静态变量s_a
- return s_a;
- }
-
- void tFunc(int i)
- {
- getSignleA(i); //每个线程都调用getSignleA,但只有第一个调动次函数的线程能初始化静态变量s_a
- cout<<"thread "<<i<<endl;
- }
-
- int main ()
- {
- thread t[10]; //创建十个线程,每个线程都会通过tFunc调用getSignleA
- for(int i=0; i<10; ++i)
- {
- t[i] = thread(tFunc, i);
- }
- for(int i=0; i<10; ++i)
- {
- t[i].join();
- }
- return 0;
- }
-
-
- 运行程序输出:
- constructor A, thread:0
- thread 0
- thread 1
- thread 2
- thread 3
- thread 4
- thread 5
- thread 7
- thread 8
- thread 6
- thread 9
-
- 可见对象s_a只被构造了一次
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。