2

在 C++11 中,我有一个具有很多属性的结构,如下所示:

#include <atomic>
struct Foo {
  int x;
  int y;
  // ...
  // LOTS of primitive type attributes, followed by...
  // ...
  std::atomic_bool bar;
}

我想像这样定义一个实例:

bool bar_value = true;
Foo my_foo = {/*attribute values*/, bar_value};

但是, atomic_bool 抛出“使用已删除函数”错误,因为我认为在原子上不允许复制构造。有没有办法解决这个问题,除了写出构造函数或单独分配每个值?

仅仅因为它的许多属性之一是特殊情况,就必须以特殊的方式处理这个原本相对平庸的结构似乎很不方便。

更新:

  • 有接盘侠吗?我一直在环顾四周,但似乎没有任何直接的方法可以解决这个问题。
4

1 回答 1

2

尝试将 atomic_bool 的初始化包装在它自己的初始化列表中。它在 g++ 4.7中对我有用。

#include <atomic>
#include <iostream>

struct Foo
{
    int x;
    int y;
    std::atomic_bool bar;
};

int main(int, char**)
{
    Foo f1 = {1, 2, {true}};
    Foo f2 = {3, 4, {false}};

    std::cout << "f1 - " << f1.x << " " << f1.y << " "
              << (f1.bar.load()?"true":"false") << std::endl;
    std::cout << "f2 - " << f2.x << " " << f2.y << " "
              << (f2.bar.load()?"true":"false") << std::endl;
}

我得到以下输出:

$ g++ -std=c++11 test.cpp -o test && ./test
f1 - 1 2 true
f2 - 3 4 false
于 2013-06-04T07:37:30.283 回答