std::atomic_load 和 std::atomic_store:分别用于读取和写入原子变量的值举例说明
时间: 2023-11-09 16:23:25 浏览: 171
atomic_queue:C ++无锁队列
下面是 std::atomic_load 和 std::atomic_store 的示例代码:
```cpp
#include <iostream>
#include <thread>
#include <atomic>
std::atomic<int> counter(0);
void increment_counter() {
for (int i = 0; i < 1000000; ++i) {
counter.store(counter.load() + 1); // 原子地读取和写入计数器的值
}
}
int main() {
std::thread t1(increment_counter);
std::thread t2(increment_counter);
t1.join();
t2.join();
std::cout << "Final counter value is " << counter.load() << std::endl; // 原子地读取计数器的最终值
return 0;
}
```
在这个例子中,我们创建了一个 std::atomic<int> 类型的计数器,它会在两个线程中被并发地访问。每个线程都会调用 increment_counter 函数,该函数会对计数器执行100万次自增操作。在自增操作中,我们使用了 std::atomic_load 和 std::atomic_store 函数来原子地读取和写入计数器的值,以避免多个线程同时修改计数器值时可能产生的竞态条件问题。最后,我们使用 counter.load() 函数来原子地读取计数器的最终值,并输出到控制台上。
阅读全文