有效地等待标志状态更改而不阻塞资源?

时间:2009-02-03 00:24:58

标签: c++ windows visual-studio-2008 performance

线程在循环中等待无限,直到标志状态发生变化,然后调用函数。

伪代码插图:

while (true)
{
    while (!flag)
    {
            sleep(1);
    }
    clean_upfunction();
}

目前

否:

  • MFC

问题:

  • 是否有更有效的方式来实施上述
  • 一个waitForStateChange() - 类似于上面 - 在线程库中

3 个答案:

答案 0 :(得分:10)

对于Windows(您已将其标记为),您需要查看WaitForSingleObject。使用Windows事件(使用CreateEvent),然后等待它;另一个线程应该调用SetEvent。所有本机Windows,没有MFC或任何其他需要。

答案 1 :(得分:3)

如果您不在Windows上,而是在POSIXish框中,pthread_cond_wait是最佳匹配:

/* signaler */
    pthread_mutex_lock(mutex);
    flag = true;
    pthread_cond_signal(cond);
    pthread_mutex_unlock(mutex);

/* waiter */
    pthread_mutex_lock(mutex);
    do {
        pthread_cond_wait(cond, mutex);
    } while (!flag);
    pthread_mutex_unlock(mutex);

经典的自我管道技巧更容易,更酷但是:)在没有pthreads的系统上工作。

/* setup */
    int pipefd[2];
    if (pipe(pipefd) < 0) {
        perror("pipe failed");
        exit(-1);
    }

/* signaler */
    char byte = 0;
    write(pipefd[0], &byte, 1);  // omitting error handling for brevity

/* waiter */
    char byte;
    read(pipefd[1], &byte, 1);  // omitting error handling for brevity

服务员将阻止read(你没有设置O_NONBLOCK)直到被中断(这就是为什么你应该有错误处理)或者信号器写一个字节。

答案 2 :(得分:2)

看看Boost.Thread中的condition_variable。

http://www.boost.org/doc/libs/1_37_0/doc/html/thread/synchronization.html#thread.synchronization.condvar_ref

它比便携式设备更容易使用,比特定于平台的选项更容易使用。而且,IIUC,即将推出的C ++ 0x std :: condition_variable是在它之后建模的。