在这段代码中,如何在不使用函数pthread_join()
的情况下创建这些线程?使用pthread_exit()
无效。
#include <stdio.h>
#include <pthread.h>
#include <string.h>
#include <stdlib.h>
#include <sys/types.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/stat.h>
typedef struct{
char name[100];
char search[100];
pthread_t tid;
} mystruct;
pthread_mutex_t mutex=PTHREAD_MUTEX_INITIALIZER;
void* sfun(void *arg){
mystruct *sfile= (mystruct *) arg;
int fd=open(sfile->name,O_RDONLY);
if(fd<0){
printf("Error%s\n", sfile->name);
pthread_exit(NULL);
}
int n=1;
pthread_mutex_lock(&mutex);
while(n!=0){
n=match_line(fd,sfile->search);
printf("%s:\t%d\n",sfile->name,n);
}
pthread_mutex_unlock(&mutex);
close(fd);
return NULL;
}
int main(int argc, char *argv[]){
if(argc< 3){
printf("Error\n");
exit(1);
}
mystruct file[10];//max 10 threads
int c;
for(c=0;c<argc-2;c++){
strcpy(file[c].search,argv[1]);
strcpy(file[c].name,argv[c+2]);
pthread_create(&file[c].tid,NULL,sfun,&file[c]);
}
for(c=0;c<argc-2;c++)
pthread_join(file[c].tid,NULL);
return 0;
}
使用pthread_join()
编译:
./ppc "Sherlock" testfile1 testfile2 testfile12
testfile1: 5
testfile1: 762
testfile1: 960
testfile1: 977
testfile1: 1025
testfile1: 1034
testfile1: 1049
testfile1: 1068
testfile1: 1080
testfile1: 1123
testfile1: 0
testfile2: 3
testfile2: 90
testfile2: 170
testfile2: 179
testfile2: 473
testfile2: 643
testfile2: 760
testfile2: 811
testfile2: 836
testfile2: 978
testfile2: 0
testfile12: 5
testfile12: 762
testfile12: 960
testfile12: 977
testfile12: 1025
testfile12: 1034
testfile12: 1049
testfile12: 1068
testfile12: 1080
testfile12: 1123
testfile12: 1129
testfile12: 1216
testfile12: 1296
testfile12: 1305
testfile12: 1599
testfile12: 1769
testfile12: 1886
testfile12: 1937
testfile12: 1962
testfile12: 2104
testfile12: 0
没有pthread_join()
它不会打印任何东西!
答案 0 :(得分:3)
您不使用pthread_join
创建线程,使用pthread_join
等待线程退出。
线程是进程的子单元:它们与同一进程中的其他线程在相同的内存空间中运行。因此,当进程结束时,属于它的任何正在运行的线程都将终止,并且退出main(通过exit或return)基本上会结束该进程。
pthreads没有用于从其进程中分离线程的API。
如果您正在尝试这样做,则必须创建流程,并且应该查看posix_spawn
或fork
/ exec
。
如果您只是尝试创建线程而不必明确等待它们终止,则可以致电pthread_exit
:http://man7.org/linux/man-pages/man3/pthread_exit.3.html
要允许其他线程继续执行,主线程应该通过调用pthread_exit()而不是exit(3)来终止。
#include <stdio.h>
#include <pthread.h>
#include <string.h>
#include <stdlib.h>
#include <sys/types.h>
#include <fcntl.h>
#include <unistd.h>
#include <sys/stat.h>
void* tfun(void*)
{
sleep(3);
printf("Ni!\n");
return NULL;
}
int main()
{
pthread_t t;
pthread_create(&t,NULL,&tfun,NULL);
int ret = 0;
pthread_exit(&ret);
}
答案 1 :(得分:1)
如何在不使用函数pthread_join()的情况下创建这些线程?
不调用pthread_join()
,但在调用main()
之后离开pthread_create()
退出进程,并终止所有线程,很可能在他们开始做任何有用之前。
要保持流程的有效性并仍然离开main()
,请拨打pthread_exit()
而不是return
来执行此操作。
int main(int argc, char *argv[])
{
...
pthread_exit(NULL);
}
答案 2 :(得分:0)
One alternative method强制程序等待所有线程完成后再调用pthread_barrier_wait()
。但是为什么不能使用pthread_join()
?你需要保持线程活着吗?