我有一个 X 类:
class X { ... }
我想做这个:
void f()
{
thread_local static X x = ...;
...
}
(实际上我使用的是 gcc,所以关键字是“__thread”)
但我不能,因为你只能拥有微不足道的 thread_locals。
最好的解决方法是什么?
如果我这样做:
void f()
{
thread_local static X* p = 0;
if (!p)
p = new X(...);
X& x = *p;
...
}
然后:
- 线程退出时不会调用析构函数
- 不必要的动态内存分配。
更新:
这是我到目前为止所拥有的:
#include <iostream>
#include <type_traits>
using namespace std;
class X { public: X() { cout << "X::X()" << endl; }; ~X() { cout << "X::~X()" << endl; } };
void f()
{
static __thread bool x_allocated = false;
static __thread aligned_storage<sizeof(X),
alignment_of<X>::value>::type x_storage;
if (!x_allocated)
{
new (&x_storage) X;
x_allocated = true;
// add thread cleanup that calls destructor
}
X& x = *((X*) &x_storage);
}
int main()
{
f();
}
这解决了动态内存分配问题。我只需要添加线程清理处理程序。有没有一种机制可以用 pthreads 做到这一点?