使用互斥对象
可以使用 互斥对象 来保护共享资源,防止多个线程或进程同时访问。 每个线程必须等待互斥体的所有权,然后才能执行访问共享资源的代码。 例如,如果多个线程共享对数据库的访问,则线程可以使用互斥对象一次只允许一个线程写入数据库。
以下示例使用 CreateMutex 函数创建互斥对象,使用 CreateThread 函数创建工作线程。
当此过程的线程写入数据库时,它首先使用 WaitForSingleObject 函数请求互斥锁的所有权。 如果线程获取互斥体的所有权,它将写入数据库,然后使用 ReleaseMutex 函数释放其对互斥体的所有权。
此示例使用结构化异常处理来确保线程正确释放互斥对象。 无论__try块如何终止 (,__finally代码块都执行,除非__try块包含对 TerminateThread 函数) 的调用。 这可以防止无意中放弃互斥对象。
如果放弃互斥体,则拥有互斥体的线程在终止前未正确释放它。 在这种情况下,共享资源的状态不确定,继续使用互斥体可能会掩盖潜在的严重错误。 某些应用程序可能会尝试将资源还原到一致状态;此示例只返回错误并停止使用互斥体。 有关详细信息,请参阅 互斥对象。
#include <windows.h>
#include <stdio.h>
#define THREADCOUNT 2
HANDLE ghMutex;
DWORD WINAPI WriteToDatabase( LPVOID );
int main( void )
{
HANDLE aThread[THREADCOUNT];
DWORD ThreadID;
int i;
// Create a mutex with no initial owner
ghMutex = CreateMutex(
NULL, // default security attributes
FALSE, // initially not owned
NULL); // unnamed mutex
if (ghMutex == NULL)
{
printf("CreateMutex error: %d\n", GetLastError());
return 1;
}
// Create worker threads
for( i=0; i < THREADCOUNT; i++ )
{
aThread[i] = CreateThread(
NULL, // default security attributes
0, // default stack size
(LPTHREAD_START_ROUTINE) WriteToDatabase,
NULL, // no thread function arguments
0, // default creation flags
&ThreadID); // receive thread identifier
if( aThread[i] == NULL )
{
printf("CreateThread error: %d\n", GetLastError());
return 1;
}
}
// Wait for all threads to terminate
WaitForMultipleObjects(THREADCOUNT, aThread, TRUE, INFINITE);
// Close thread and mutex handles
for( i=0; i < THREADCOUNT; i++ )
CloseHandle(aThread[i]);
CloseHandle(ghMutex);
return 0;
}
DWORD WINAPI WriteToDatabase( LPVOID lpParam )
{
// lpParam not used in this example
UNREFERENCED_PARAMETER(lpParam);
DWORD dwCount=0, dwWaitResult;
// Request ownership of mutex.
while( dwCount < 20 )
{
dwWaitResult = WaitForSingleObject(
ghMutex, // handle to mutex
INFINITE); // no time-out interval
switch (dwWaitResult)
{
// The thread got ownership of the mutex
case WAIT_OBJECT_0:
__try {
// TODO: Write to the database
printf("Thread %d writing to database...\n",
GetCurrentThreadId());
dwCount++;
}
__finally {
// Release ownership of the mutex object
if (! ReleaseMutex(ghMutex))
{
// Handle error.
}
}
break;
// The thread got ownership of an abandoned mutex
// The database is in an indeterminate state
case WAIT_ABANDONED:
return FALSE;
}
}
return TRUE;
}