使用std库可以在应用程序中为每个线程保留内存吗?我想创建一些微线程,我想知道如何为每个线程保留内存,如果可能的话,为线程分配内存的最佳做法是什么。
答案 0 :(得分:3)
如果您需要为每个线程使用不同的静态内存但使用相同的指针,则可以使用线程本地存储:
#include <thread>
#include <iostream>
static thread_local char thread_name[40]; // on older compilers use __thread
void thread1() {
strcpy(thread_name, "T1");
for (int i = 0; i < 10; ++i)
std::cerr << thread_name << ": I'm thread1!\n";
}
void thread2() {
strcpy(thread_name, "T2");
for (int i = 0; i < 10; ++i)
std::cerr << thread_name << ": I'm thread2!\n";
}
int main() {
std::thread t1(thread1), t2(thread2);
t1.join(); t2.join();
}
...或者您可以在局部变量中的线程函数内动态分配内存(使用new,malloc ....),其他线程将无法访问它。
通常当你编写一个只使用私有内存的函数或模块而不会改变程序状态时,函数/模块被认为是可重入。