windows和linux下等待線程的退出

   在linux上,創建一個線程然後在主進程中等待線程的退出,系統提供的api是比較顯而易見的,創建線程使用pthread_create,線程退出使用pthread_exit,主線程等待線程退出使用pthread_join,下面就是在等待一個睡眠5S的線程退出例子,我們也可以獲取到線程退出時傳遞的一些消息。
#include <stdio.h>
#include <unistd.h>
#include <stdlib.h>
#include <pthread.h>

void *thread_function(void *arg) {
	char *code = "1";
	sleep(5);
	pthread_exit( code );
}

int main() {
    int res;
    pthread_t a_thread;
    void *thread_result;
	
    res = pthread_create(&a_thread, NULL, thread_function, NULL);
    if (res != 0) {
        perror("Thread creation failed");
        exit(EXIT_FAILURE);
    }
	
    printf("\nWaiting for thread to finish...\n");
    res = pthread_join(a_thread, &thread_result);
    if (res != 0) {
        perror("Thread join failed");
        exit(EXIT_FAILURE);
    }
	printf("Exit code is %s\n", (char *)thread_result);
    exit(EXIT_SUCCESS);
}
  在windows上,我們同樣可以實現該功能,實現如下:
#include "stdafx.h"
#include <Windows.h>


LRESULT WINAPI ThreadFunction(LPARAM lp)
{
	Sleep(5000);
	return 2;
}

int _tmain(int argc, _TCHAR* argv[])
{
	DWORD dwCode;
	HANDLE hThread = CreateThread(NULL, 0, (LPTHREAD_START_ROUTINE)ThreadFunction, NULL, 0, NULL);
	printf("Waiting for thread to finish...\n");
	WaitForSingleObject(hThread, INFINITE);/* 等待線程退出 */
	GetExitCodeThread(hThread, &dwCode);
	printf("Exit code is %d\n", dwCode);
	CloseHandle(hThread);
	return 0;
}


發佈了34 篇原創文章 · 獲贊 25 · 訪問量 6萬+
發表評論
所有評論
還沒有人評論,想成為第一個評論的人麼? 請在上方評論欄輸入並且點擊發布.
相關文章