等待中的谓词仅在循环中使用notify时调用一次

时间:2016-01-06 23:25:01

标签: c++ multithreading c++11

在一个线程中的循环内调用条件变量上的notify_once方法时,看起来另一个线程中的wait方法只检查一次谓词。示例代码如下所示:

int someNumber = 0;
mutex numberMutex;
condition_variable cv;

void waitFunction()
{
  unique_lock<mutex> lock(numberMutex);
  auto duration = chrono::seconds(5);

  // Predicate is only called once?
  cv.wait_for(lock, duration, []() {
    cout << "Checking condition: 10 == " << someNumber << '\n';
    return someNumber == 10;
  });
  cout << "Done with this thread...\n" << flush;
}

int main()
{
  thread waiter(waitFunction);

  for (size_t number = 0; number != 50; ++number)
  {
    {
      lock_guard<mutex> guard(numberMutex);
      someNumber = number;
    }
    cv.notify_one();
  }

  waiter.join();
}

执行此程序会提供以下输出

Checking condition: 10 == 49
Checking condition: 10 == 49
Done with this thread...

虽然我希望它能在每次迭代时检查条件。

这怎么可能?

1 个答案:

答案 0 :(得分:2)

信令线程等待信号已被接收。

这意味着等待线程可能无法在主循环重复之前唤醒并再次递增。

你有一个“普通”的竞争条件(虽然不是语言级数据竞争,所以没有UB)。

这是一个反例。根据平台的速度和日程安排,以下内容:

<强> Live On Coliru

#include <condition_variable>
#include <iomanip>
#include <iostream>
#include <thread>

using namespace std;

int someNumber = 0;
mutex numberMutex;
condition_variable cv;

void waitFunction() {
    unique_lock<mutex> lock(numberMutex);
    auto duration = chrono::seconds(5);

    // Predicate is only called once?
    cv.wait_for(lock, duration, []() {
        cout << "Checking condition: 10 == " << someNumber << '\n';
        return someNumber == 10;
    });
    cout << "Done with this thread...\n" << flush;
}

int main() {
    thread waiter(waitFunction);

    for (size_t number = 0; number != 50; ++number) {
        this_thread::sleep_for(chrono::milliseconds(1));
        {
            lock_guard<mutex> guard(numberMutex);
            someNumber = number;
            std::cout << "notif: " << number  << "\n";
            cv.notify_one();
        }
    }

    waiter.join();
}

可能会打印如下内容:

Checking condition: 10 == 0
notif: 0
Checking condition: 10 == 0
notif: 1
Checking condition: 10 == 1
notif: 2
Checking condition: 10 == 2
notif: 3
Checking condition: 10 == 3
notif: 4
Checking condition: 10 == 4
notif: 5
Checking condition: 10 == 5
notif: 6
Checking condition: 10 == 6
notif: 7
Checking condition: 10 == 7
notif: 8
Checking condition: 10 == 8
notif: 9
Checking condition: 10 == 9
notif: 10
Checking condition: 10 == 10
Done with this thread...
notif: 11
notif: 12
notif: 13
notif: 14
notif: 15
notif: 16
notif: 17
notif: 18
notif: 19
notif: 20
notif: 21
notif: 22
notif: 23
notif: 24
notif: 25
notif: 26
notif: 27
notif: 28
notif: 29
notif: 30
notif: 31
notif: 32
notif: 33
notif: 34
notif: 35
notif: 36
notif: 37
notif: 38
notif: 39
notif: 40
notif: 41
notif: 42
notif: 43
notif: 44
notif: 45
notif: 46
notif: 47
notif: 48
notif: 49

基本原理

如果您需要双向通信,请设置一个标志以向主线程发回信号(例如,使用不同的条件变量)