pthread学习笔记(一) 基本用法

一、前言

       phtread类库,也即是“POSIX线程”,pthreads定义了一套C语言的类型、函数与常量,它以pthread.h头文件和一个线程库实现

二、涉及的phtread 数据类型

pthread_t: 线程标识符

三、线程创建与使用的一个例子

      以下为在程序中使用线程相关的一些基本函数

pthread_t thread; 声明了一个线程标识符ID ,只有通过线程ID才能运行函数

int pthread_create ( pthread_t *thread , const pthread_attr_t *attr , void *(*start)(void*) , void *arg ); 第1个参数返回一个绑定特定函数的线程ID;第2个参数为线程属性对象指针,用来改变线程的属性;第3个参数为线程运行的函数指针,被调用的函数必须返回空指针,且只能有一个空指针参数;第4个参数为传递给被调用函数的参数;执行pthread_create,将创建线程,成功则返回0,否则返回-1

int pthread_equal ( pthread_t t1 , pthread_t t2); 比较两个线程ID是否相同

pthread_t pthread_self( void ); 获取自身线程ID

int pthread_join( pthread_t thread , void ** value_ptr ); 阻塞调用线程 thread 的线程,直到 thread 结束; value_ptr为用户定义的指针,用来存储线程thread的返回值;pthread_join

void pthread_exit( void *value_ptr); 退出执行该函数的线程,参数value_ptr返回线程的返回值,需自行设置,而pthread_join()函数可以检索获取这个返回值;

以下为主线程中使用两个子线程的例子

#include 
#include 

#include 

#include 
#include 

using namespace std;

void *myThread1(void*)
{
        cout<<"This is thread_1"<<"\n";
}

void *myThread2(void*)
{
        cout<<"This is thread_2";
}

int main()
{
        int i =0 ,ret = 0;
        pthread_t id1,id2;

        ret = pthread_create(&id1 , NULL ,  myThread1, NULL); //创建并执行线程id1
        if(ret == -1){
                printf("Create pthread error!\n");
                return 1;
        }

        ret = pthread_create(&id2 , NULL ,  myThread2, NULL); //创建//并执行线程id2
        if(ret == -1){
                printf("Create pthread error!\n");
                return 1;
        }

        pthread_join( id1 , NULL );  //阻塞主线程,直到id1结束才接触,
        pthread_join( id2 , NULL );
        
        cout<<"all thread done!";
        return 0;
}

       

      如果不使用pthread_join阻塞主线程,则可能主线程已经退出了,子线程还没执行完;如果上面所有的 pthread_join 都换 pthread_exit ,则主线程仍会执行完所有子线程,之后退出主线程,pthread_exit语句后面的语句都不执行了。
      

      pthread_exit一般是子线程调用,用来结束当前线程,子线程可以通过pthread_exit传递一个返回值,而主线程通过pthread_join获得该返回值,从而判断该子线程的退出是正常还是异常。详细可以看这里


你可能感兴趣的:(C/C++)