gettid
它被定义在<sys./types.h>头文件中,但在程序中使用时发现没有gettid函数。
- 我们可以自己封装一下
#include<sys/syscall.h>
syscall(SYS_gettid); //该函数和gettid等价。
在编写程序时可以使用上述函数。也可以将其封装一下。
pid_t gettid()
{
return syscall(SYS_gettid);
}
pthread_self()和gettid的区别
先谈谈pthread_self()函数
- pthread_self()函数是线程库POSIX Phtread实现函数,它返回的线程ID是由线程库封装过然后返回的。既然是线程库函数,那么该函数返回的ID也就只在进程中有意义,与操作系统的任务调度之间无法建立有效关联。
- 另外glibc的Pthreads实现实际上把pthread_t用作一个结构体指针(它的类型是unsigned long),指向一块动态分配的内存,而且这块内存是反复使用的。这就造成pthread_t的值很容易重复。Pthreads只保证同一进程内,同一时刻的各个线程的id不同;不能保证同一进程先后多个线程具有不同的id。(当前一个线程结束其生命周期,进程又新创建了一个线程,那么该线程ID可能会使用消亡线程的ID)。
#include<iostream>
#include<pthread.h>
#include<thread>
void func(void *arg)
{
std::cout << "I am " << *(int*)arg << "'s thread" << pthread_self() << "\n";
}
int main()
{
int i = 1;
std::thread t1(func, &i);
t1.join();
++i;
std::thread t2(func, &i);
t2.join();
}
运行结果发现前后两个线程ID相同。
gettid()
- 该函数就是Linux提供的函数,它返回的ID就是"线程"(轻量级进程)ID,相当于内核线程ID。
#include<iostream>
#include<pthread.h>
#include<thread>
#include<sys/syscall.h>
#include<unistd.h>
#include<sys/types.h>
void func(void *arg)
{
std::cout << "I am " << *(int*)arg << "'s thread" << pthread_self() << "\n";
std::cout << syscall(SYS_gettid) << "\n";
}
int main()
{
int i = 1;
std::thread t1(func, &i);
t1.join();
++i;
std::thread t2(func, &i);
t2.join();
}
运行结果如下