转自:https://blog.csdn.net/wushuomin/article/details/80051295,chatgpt
int pthread_create(pthread_t *thread, const pthread_attr_t *attr,
void *(*start_routine)(void *), void *arg);
它的功能是创建线程(实际上就是确定调用该线程函数的入口点),在线程创建以后,就开始运行相关的线程函数。参数介绍:
*pthread_t thread:
pthread_t
类型变量的指针,pthread_t
是 POSIX 线程库中用于标识线程的类型。pthread_create
函数会通过这个参数返回创建的线程 ID,后续可以使用这个 ID 来管理线程(如 pthread_join
等)。*const pthread_attr_t attr:
NULL
,则使用默认属性。pthread_attr_t
可以设置线程的属性,如是否使用守护线程(detached)、线程的栈大小等。void *(*start_routine)(void *):
void*
,并且接受一个 void*
作为参数,可以用于向线程传递参数(也就是第4个参数)。*void arg:
NULL
。pthread_create
的返回值 表示成功,返回0;表示出错,返回表示-1。
例子:
#include
#include
void* thread_function(void* arg) {
int* num = static_cast(arg); // 传参做类型转换
std::cout << "Thread function received: " << *num << std::endl;
return nullptr;
}
int main() {
pthread_t thread; // 线程标识符
int arg = 42; // 传递给线程的参数
// 创建新线程
if (pthread_create(&thread, nullptr, thread_function, &arg) != 0) {
std::cerr << "Failed to create thread" << std::endl;
return 1;
}
// 等待线程完成
pthread_join(thread, nullptr);
std::cout << "Thread has finished execution" << std::endl;
return 0;
}
在默认情况下通过pthread_create
函数创建的线程是非分离属性的,由pthread_create函数的第二个参数决定,在非分离的情况下,当一个线程结束的时候,它所占用的系统资源并没有完全真正的释放,也没有真正终止。在大多数情况下,建议使用 pthread_join
等待线程完成。
对于结合的线程:
只有在pthread_join
函数返回时,该线程才会释放自己的资源。或者是设置在分离属性的情况下,一个线程结束会立即释放它所占用的资源。
void run() {
return;
}
int main(){
pthread_t thread;
pthread_attr_t attr;
pthread_attr_init( &attr );
pthread_attr_setdetachstate(&attr,1);
pthread_create(&thread, &attr, run, 0); //第二个参数决定了分离属性
//......
return 0;
}
int pthread_join(
pthread_t tid, //需要等待的线程,指定的线程必须位于当前的进程中,而且不得是分离线程
void **status //线程tid所执行的函数返回值(返回值地址需要保证有效),其中status可以为NULL
);
pthread
非linux
系统的默认库, 需手动链接-线程库 -lpthread
pthread_join()
函数会一直阻塞调用线程,直到指定的线程终止。当pthread_join()
返回之后,应用程序可回收与已终止线程关联的任何数据存储空间。
但是,同时需要注意,一定要和上面创建的某一线程配套使用,这样还可以起到互斥的作用。否则多线程可能抢占CPU资源,导致运行结果不确定。
//链接中举了个例子,非常好。
配套使用,使得线程执行顺序固定:(但这样就使得多线程变为了单线程执行。没什么意义了,类似函数调用?)
//这样才是按顺序的。
pthread_create(&t, 0, print1, NULL);
pthread_join(t, NULL);
pthread_create(&t1, 0, print2, NULL);
pthread_join(t1, NULL);
pthread_create(&t2, 0, print3, NULL);
pthread_join(t2, NULL);
https://www.jianshu.com/p/1007f0c13f7f,讲的非常好,代码例子,https://zhuanlan.zhihu.com/p/99374488
join()方法:Thread提供的让一个线程去等待另一个线程完成。
当在某个程序执行流中(如main线程)调用其它线程(如t2线程)的join方法(t2.join()),调用线程(main线程)将被阻塞,直到被join()方法加入的join线程(t2.start())执行完成为止。
join源码:
public final synchronized void join(long millis)
throws InterruptedException {
long base = System.currentTimeMillis();
long now = 0;
if (millis < 0) {
throw new IllegalArgumentException("timeout value is negative");
}
if (millis == 0) {
while (isAlive()) {
wait(0);
}
} else {
while (isAlive()) {
long delay = millis - now;
if (delay <= 0) {
break;
}
wait(delay);//调用wait阻塞调用方
now = System.currentTimeMillis() - base;
}
}
}
join方法的原理就是调用相应线程的wait方法进行等待操作的。例如:
多线程并行执行,每个线程先全部start再全部join;多个线程顺序执行,每个依次start然后join。