有没有一种简单的方法在C ++ 0x中实现AutoResetEvent?

时间:2011-12-16 18:33:42

标签: c++ multithreading c++11 autoresetevent

我知道我之前已经问过这个问题:What is the C++ equivalent for AutoResetEvent under Linux?

但是,我知道在C ++ 0x中,线程库变得更加简单,所以我想再次提出这个问题,是否有一种在C ++ 0x中实现AutoResetEvent的简单方法?

1 个答案:

答案 0 :(得分:13)

以下是accepted answer to your first question使用C ++ 11工具的翻译:

#include <mutex>
#include <condition_variable>
#include <thread>
#include <stdio.h>

class AutoResetEvent
{
  public:
  explicit AutoResetEvent(bool initial = false);

  void Set();
  void Reset();

  bool WaitOne();

  private:
  AutoResetEvent(const AutoResetEvent&);
  AutoResetEvent& operator=(const AutoResetEvent&); // non-copyable
  bool flag_;
  std::mutex protect_;
  std::condition_variable signal_;
};

AutoResetEvent::AutoResetEvent(bool initial)
: flag_(initial)
{
}

void AutoResetEvent::Set()
{
  std::lock_guard<std::mutex> _(protect_);
  flag_ = true;
  signal_.notify_one();
}

void AutoResetEvent::Reset()
{
  std::lock_guard<std::mutex> _(protect_);
  flag_ = false;
}

bool AutoResetEvent::WaitOne()
{
  std::unique_lock<std::mutex> lk(protect_);
  while( !flag_ ) // prevent spurious wakeups from doing harm
    signal_.wait(lk);
  flag_ = false; // waiting resets the flag
  return true;
}


AutoResetEvent event;

void otherthread()
{
  event.WaitOne();
  printf("Hello from other thread!\n");
}


int main()
{
  std::thread h(otherthread);
  printf("Hello from the first thread\n");
  event.Set();

  h.join();
}

输出:

Hello from the first thread
Hello from other thread!

<强>更新

在下面的评论tobsen中,AutoResetEvent的语义为signal_.notify_all(),而不是signal_.notify_one()。我没有更改代码,因为accepted answer to the first question使用了pthread_cond_signal而不是pthread_cond_broadcast,而我正在发表声明,这是对该答案的忠实翻译。