赞
踩
定义原子全局变量:
std::atomic<WORD64> global_var {0};
每个线程单独开辟一份:
static thread_local bool global_var = false;
多线程下,使用 static thread_local 申请buffer(每个线程1份)
- static thread_local std::unique_ptr<tStruct> buffer(new tStruct);
- if(nullptr == buffer.get())
- {
- return;
- }
-
- tStruct& struct = *(tStruct*)(buffer.get());
------------------------------------------------------------------------------------------------------------
【多线程】关于__thread和thread_local的用法注意事项
原则1:对于大的变量(比如大于16个字节),不能直接定义,而要通过指针的方式定义,否则会造成非业务线程也申请内存空间,造成内存的浪费
反例:
static __thread int g_var[1024];
这种定义会造成所有线程都预留这么大的空间,比如平台线程,造成内存浪费
正例:
static thread_local std::unique_ptr<int[]> g_var(new int[1024]);
采用这种方式定义,只有需要的线程才申请内存空间,避免严重的内存浪费;
原则2:小的POD变量(比如基本类型,如int,char等),直接使用__thread定义,效率高
原则3:使用原则1(thread_local定义)的变量,需要使用std::unique_ptr包装,避免内存泄露
反例:
static __thread int* g_var = 0;
if (g_var == 0){
g_var = new int[1024];
}
上面的定义方式在线程意外终止时会导致内存泄露(缺少delete)
正例:
static thread_local std::unique_ptr<int[]> g_var(new int[1024]);
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。