我不确定std::memory_order_release
或std::memory_order_acquire
内存屏障的范围是什么。以下是取自cppreference的示例。我调整了代码以说明我的观点:
#include <atomic>
#include <cassert>
#include <string>
#include <thread>
#include <iostream>
std::atomic<std::string*> ptr;
void producer()
{
std::string* p = new std::string("Hello");
ptr.store(p, std::memory_order_release);
}
bool acquire(std::string* p2)
{
while (!(p2 = ptr.load(std::memory_order_acquire)));
return p2 != nullptr;
}
void consumer()
{
std::string* p2 {nullptr};
// while (!(p2 = ptr.load(std::memory_order_acquire))); // prints "makes sense"
assert(acquire(p2)); // prints "what's going on?"
if (p2 == nullptr)
{
std::cout << "what's going on?" << std::endl;
}
else
{
std::cout << "makes sense" << std::endl;
}
}
int main()
{
std::thread t1(producer);
std::thread t2(consumer);
t1.join(); t2.join();
}
上面代码的输出是
what's going on?
我对记忆障碍很熟悉(不是专家)。根据上面的测试,我有以下问题:
std::memory_order_acquire
函数中使用的acquire()
仅用于acquire()
的范围,因为取消注释while(...)
会打印预期的输出“有意义”。这有意义吗?我错过了什么吗? assert(acquire(p2))
清楚地表明p2不是nullptr
,但它以某种方式读取了nullptr
中的if
值。我不是乱序执行规则的专家,但是我希望p2 = nullptr
在调用acquire()
之前得到兑现,since acquire()
取决于它。 最佳答案
否。它适用于线程,不受任何函数边界的约束。
因为您正在修改指针的复制。更改:
bool acquire(std::string* p2)
至:bool acquire(std::string*& p2)
使函数引用成为传递给它的指针。