美文网首页
关于linux线程创建与销毁

关于linux线程创建与销毁

作者: 0_0啊 | 来源:发表于2017-05-25 16:47 被阅读548次

    linux本没有线程的概念,它本身是一个”多进程单线程”模型,所以linux线程的创建并不是天生的,它是用户级上的一个概念。在创建线程时,实际上是clone了父进程的资源后另外创建的一个轻量级进程,只不过表现起来像线程而已。因为不是内核自带的功能,所以我们需要加入头文件pthread.h并在编译的时候加一项-lpthread来使用这一功能。

    一、线程的创建

    线程创建调用pthread_create,函数说明如下:

    int pthread_create(

    pthread_t*thread,

    pthread_attr_t*attr,

    void *(*start_routine)(void*)

    ,void *arg );

    thread:当线程创建成功,此结构体包含该线程信息

    attr:设置线程的属性,一般设为NULL

    start_routine:线程的回调函数

    arg:线程回调所传的参数

    如果该函数调用成功,则返回0,否则返回错误码。

    二、线程的退出

    目前我所知的线程退出方法有三种:

    线程自然退出

    线程内部调用pthread_exit()

    使用pthread_cancel()函数

    系统只会调用线程回调函数一次,函数执行完毕,线程退出。在回调函数内部也可以调用pthread_exit主动结束线程调用,主动结束调用时可以向pthread_exit传入万能参数,让外部使用pthread_join等待该线程退出的线程获得它。最后一种我认为比较暴力了,给我的感觉就像使用kill命令杀死进程一样,所以即使线程中存在死循环也能退出,使用该函数时,一般配合pthread_join使用,防止发生段错误。

    三、pthread_join

    此函数第二节也有提到,它需要传入两个参数,一个是pthread_t结构体,包含了线程的信息,第二个则是线程退出时返回的参数,它的作用是使调用者阻塞,直至指定的线程退出。

    附测试用例:

    #include <pthread.h>

    #include <stdio.h>

    #include <stdlib.h>

    #include <string.h>

    #include <unistd.h>

    void *thread_function(void *arg);

    char message[] = "Hello World";

    int main()

    {

    int res;

    pthread_t a_thread;

    void *thread_result;

    res = pthread_create(&a_thread, NULL, thread_function, (void*)message);

    if (res != 0)

    {

    perror("Thread creation failed!\n");

    exit(EXIT_FAILURE);

    }

    printf("Waiting for thread to finish...\n");

    //res = pthread_join(a_thread, &thread_result);

    //if (res != 0){

    //perror("Thread joinfailed!\n");

    //exit(EXIT_FAILURE);

    //}

    //sleep(3);

    pthread_cancel(a_thread);

    //pthread_join(a_thread,&thread_result);

    printf("Thread joined, it returned \n");

    printf("Message is now %s\n", message);

    exit(EXIT_FAILURE);

    }

    void *thread_function(void *arg)

    {

    printf("thread_function is running. Argument was %s\n", (char*)arg);

    //sleep(3);

    strcpy(message, "Bye!\n");

    while(1)

    {}//pthread_exit((void*)"Thank you for your CPU time!\n");}

    相关文章

      网友评论

          本文标题:关于linux线程创建与销毁

          本文链接:https://www.haomeiwen.com/subject/rijzxxtx.html