我已经阅读了很多文章,并观看了一些Youtube视频C++原子和内存模型(ConCpp 17,14)。

当我阅读《并发行动》第5.3.3节 RELAXED ORDERING 时,我仍然无法理解作者根据他的假设提供的示例。

作者的假设



假设我们看到的代码未重新排序

示例代码:

#include <atomic>
#include <thread>
#include <assert.h>

std::atomic<bool> x,y;
std::atomic<int> z;

void write_x_then_y()
{
    x.store(true,std::memory_order_relaxed); // 1
    y.store(true,std::memory_order_relaxed); // 2
}

void read_y_then_x()
{
    while(!y.load(std::memory_order_relaxed)); // 3
    if(x.load(std::memory_order_relaxed))      // 4
        ++z;
}

int main() {
    x=false;
    y=false;
    z=0;

    std::thread a(write_x_then_y);
    std::thread b(read_y_then_x);
    a.join();
    b.join();

    assert(z.load()!=0); // 5
}

从此链接:https://www.developerfusion.com/article/138018/memory-ordering-for-atomic-operations-in-c0x/

c&#43;&#43; - 如何在std::memory_order(C&#43;&#43;)中理解RELAXED ORDERING-LMLPHP

为什么x.load(relaxed)返回falsey.load(relaxed)返回true吗?

作者的结论



问:为什么x的负载可以为假?

作者得出结论,断言可以触发。因此,z可以是0
因此,if(x.load(std::memory_order_relaxed)):x.load(std::memory_order_relaxed)false

但是无论如何,while(!y.load(std::memory_order_relaxed));会使y成为true

如果我们不对(1)和(2)的代码序列重新排序,怎么可能y为true但x仍不存储?

如何理解作者提供的数字?

基于the store of x (1) happens-before the store of y (2),如果x.store(relaxed)发生在y.store(relaxed)之前,则x现在应该为true。但是,为什么x仍然是false,即使ytrue呢?

最佳答案

您和 friend 都同意x=falsey=false。有一天,您给他寄了一封信,告诉他x=true。第二天,您给他寄了一封信,告诉他y=true。您绝对可以按正确的顺序给他寄信。

稍后,您的 friend 收到您的来信,说y=true。现在,您的 friend 对x了解多少?他可能已经收到了告诉他x=true的信。但是也许邮政系统暂时丢失了它,他明天就可以收到它。因此,对于他来说,当他收到x=false字母时,x=truey=true都是有效的可能性。

因此,回到硅世界。线程之间的内 stub 本无法保证其他线程的写入会以任何特定顺序增加,因此“延迟的x”完全有可能。添加atomic并使用relaxed所做的所有事情都会阻止两个线程在单个变量上争分夺秒地成为未定义的行为。它对订购根本不做任何保证。多数民众赞成在更强的顺序。

或者,以一种稍微粗略的方式,看一下我的MSPaint技能:

c&#43;&#43; - 如何在std::memory_order(C&#43;&#43;)中理解RELAXED ORDERING-LMLPHP

在这种情况下,紫色箭头(从第一个线程到第二个线程的“x”流)为时已晚,而绿色箭头(y交叉)发生得很快。

关于c++ - 如何在std::memory_order(C++)中理解RELAXED ORDERING,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/55680665/

10-11 22:35