其中C++11
对std::atomic_flag
线程循环很有用:
static std::atomic_flag s_done(ATOMIC_FLAG_INIT);
void ThreadMain() {
while (s_done.test_and_set()) { // returns current value of s_done and sets to true
// do some stuff in a thread
}
}
// Later:
s_done.clear(); // Sets s_done to false so the thread loop will drop out
将ATOMIC_FLAG_INIT
标志设置为false
意味着线程永远不会进入循环。一个(坏的)解决方案可能是这样做:
void ThreadMain() {
// Sets the flag to true but erases a possible false
// which is bad as we may get into a deadlock
s_done.test_and_set();
while (s_done.test_and_set()) {
// do some stuff in a thread
}
}
的默认构造函数std::atomic_flag
指定标志将处于未指定状态。
我可以初始化atomic_flag
totrue
吗?这是正确的用法atomic_flag
吗?