略谈如何创建一个监控线程
作者:朱金灿
来源:http://www.cnblogs.com/clever101
一般实时监控功能放在一个单独开辟的线程比较合适,因为这样可以大大减轻主线程的负担。下面我谈谈如何创建一个监控线程(以一个工程说明)。
使用VS 2005新建一个对话框工程:Test。在BOOL CTestDlg::OnInitDialog()函数里创建线程,具体代码如下:
DWORD dwThreadId = 0; // 定义线程ID
HANDLE hThread = CreateThread(
NULL, // default security attributes
0, // use default stack size
ListenDB, // thread function
this, // argument to thread function
0, // use default creation flags
&dwThreadId); // returns the thread identifier
// 注意这里必须关闭线程,否则会出现内存泄露
if (NULL!=hThread)
CloseHandle(hThread);
HANDLE hThread = CreateThread(
NULL, // default security attributes
0, // use default stack size
ListenDB, // thread function
this, // argument to thread function
0, // use default creation flags
&dwThreadId); // returns the thread identifier
// 注意这里必须关闭线程,否则会出现内存泄露
if (NULL!=hThread)
CloseHandle(hThread);
这里稍微介绍一下CreateThread函数的用法,
CreateThread共有6个参数,
HANDLE CreateThread(
LPSECURITY_ATTRIBUTES lpThreadAttributes,
SIZE_T dwStackSize,
LPTHREAD_START_ROUTINE lpStartAddress,
LPVOID lpParameter,
DWORD dwCreationFlags,
LPDWORD lpThreadId
);
lpThreadAttributes ------ 线程的安全属性,一般设置为NULL就可以了
dwStackSize ------- 堆栈初始化大小,设置为0表示使用默认大小
lpStartAddress ------ 线程函数地址
lpParameter ------- 线程函数参数
dwCreationFlags -------- 线程控制标志,设置为0表示创建后立即运行
lpThreadId ------- 线程ID
返回值为创建后的线程句柄。
这里的关键参数其实只有两个:lpStartAddress和lpParameter。
下面再看看线程函数ListenDB:
DWORD WINAPI ListenDB(LPVOID lpParam)
{
CTMSysDlg *pTMSysDlg = static_cast<CTMSysDlg *>(lpParam);
// 下面是监控事件代码
……
// 下面是实现监控的关键步骤,在监控线程里再创建监控线程
DWORD dwThreadId = 0;
HANDLE hThread = CreateThread(
NULL, // default security attributes
0, // use default stack size
ListenDB, // thread function
lpParam, // argument to thread function
0, // use default creation flags
&dwThreadId); // returns the thread identifier
if (NULL!=hThread)
{
CloseHandle(hThread);
}
return 0;
}
{
CTMSysDlg *pTMSysDlg = static_cast<CTMSysDlg *>(lpParam);
// 下面是监控事件代码
……
// 下面是实现监控的关键步骤,在监控线程里再创建监控线程
DWORD dwThreadId = 0;
HANDLE hThread = CreateThread(
NULL, // default security attributes
0, // use default stack size
ListenDB, // thread function
lpParam, // argument to thread function
0, // use default creation flags
&dwThreadId); // returns the thread identifier
if (NULL!=hThread)
{
CloseHandle(hThread);
}
return 0;
}