【linux 多线程并发】线程本地数据存储的两种方式,每个线程可以有同名全局私有数据,以及两种方式的性能分析
在Linux下实现线程局部数据存储的常见方式有两种:使用线程特有的存储区(Thread-Specific Data,或称为TSD)和使用线程本身的存储区。
- 使用线程特有存储区(TSD)
TSD是为每个线程分配的私有数据存储区,通常用pthread库中的key\_create和pthread\_setspecific函数实现。
#include <pthread.h>
pthread_key_t key;
void destructor(void *value) {
// 清理函数,在线程结束时自动调用
free(value);
}
void *thread_function(void *arg) {
void *local_data = malloc(100);
pthread_setspecific(key, local_data);
// 执行线程的其他操作
pthread_exit(NULL);
}
int main() {
pthread_key_create(&key, destructor);
pthread_t thread;
pthread_create(&thread, NULL, &thread_function, NULL);
pthread_join(thread, NULL);
return 0;
}
- 使用线程本身的存储区
在线程的堆栈或者其他数据结构中为每个线程分配私有数据。这种方式的优点是实现简单,但是需要注意管理内存,避免内存泄露。
#include <pthread.h>
struct thread_data {
int private_data;
// 其他需要的数据
};
void *thread_function(void *arg) {
struct thread_data *data = (struct thread_data *)arg;
// 执行线程的操作
int private_data = data->private_data;
pthread_exit(NULL);
}
int main() {
pthread_t thread;
struct thread_data thread_data;
thread_data.private_data = 100;
pthread_create(&thread, NULL, &thread_function, (void *)&thread_data);
pthread_join(thread, NULL);
return 0;
}
以上两种方式都可以实现线程局部数据存储,选择哪种方式取决于具体的应用场景和需求。
评论已关闭