Windows和Linux上分别怎样实现等待某个线程结束?---用WaitForSingleObject和pthread_join

     Windows和Linux上分别怎样实现等待某个线程结束呢, 我们先看Windows的情形, 直接上代码:

#include <windows.h>
#include <iostream.h>

DWORD WINAPI Fun1Proc(LPVOID lpParameter)
{
	int i = 0;
	for(i = 0; i < 100; i++)
	{
		cout << "son thread" << i + 1 << endl;
		Sleep(20);
	}
	
	return 0;
}

int main()
{
	HANDLE hThread1;
	hThread1 = CreateThread(NULL, 0, Fun1Proc, NULL, 0, NULL);
	WaitForSingleObject(hThread1, INFINITE);

	int i = 0;
	for(i = 0; i < 100; i++)
	{
		cout << "main thread " << i + 1 << endl;
		Sleep(20);
	}

	CloseHandle(hThread1);

	return 0;
}
       结果是先打印100个son thread, 后打印100个main thread, 实现了预期的目标。


       我们再看我们先看Linux的情形, 直接上代码:

#include <pthread.h>
#include <stdio.h>

void* threadFunc(void* p)
{
	while (1)
	{
		printf("a");
	}

	return NULL;
}
 
int main ()
{
	pthread_t id;
	pthread_create(&id, NULL, threadFunc, NULL);
	pthread_join(id, NULL); // 阻塞地等待, 直到线程threadFunc退出

	printf("b"); // 永远无法打印, 因为线程函数threadFunc中有死循环, 无法退出

	return 0;
}

      好吧, 就这样。

你可能感兴趣的:(Windows和Linux上分别怎样实现等待某个线程结束?---用WaitForSingleObject和pthread_join)