如何解决 gcc 4.7 和 4.9 之间 std::vector 的不同行为

How to work around the different behaviour of std::vector between gcc 4.7 and 4.9?

本文关键字:vector std 之间 何解决 解决 gcc      更新时间:2023-10-16

我有一些东西可以在 gcc 4.9 中编译,但在 gcc 4.7 中失败了。

它是一个具有移动构造函数的类,但我将其复制构造函数设置为私有:

class Option
{
public:
    Option(const std::string& name_long,
           char               name_short,
           const std::string& group,
           bool*              value_store,
           int32_t            flags,
           const std::string& option_desc);
    // and several similar constructors
    Option(Option&& other);
private:
    Option(const Option& other);
};

当 vector 的 emplace_back() 函数调用它时,会出现此问题:

// options is a std::vector<Option>
options.emplace_back("help", 'h', OPTION_GROUP_MISC,
                     &opt_show_help, htio2::Option::FLAG_NONE,
                     "Show help and exit.");

这在 gcc 4.9 中成功编译并运行良好,但 gcc 4.7 声称存在两个屏幕长的错误,声称其复制构造函数是私有的:

In file included from /public/yx/works/writing_tcrklass2/src/TCRklass2-1.90.0-Source/src/tcrk2/App.h:4:0,
                 from /public/yx/works/writing_tcrklass2/src/TCRklass2-1.90.0-Source/src/tcrk2/App.cpp:1:
......
/public/yx/works/writing_tcrklass2/src/TCRklass2-1.90.0-Source/src/tcrk2/App.cpp:58:47:   required from here
/usr/local/include/htio2/OptionParser.h:188:5: error: ‘htio2::Option::Option(const htio2::Option&)’ is private
In file included from /usr/lib/gcc/x86_64-redhat-linux/4.7.2/../../../../include/c++/4.7.2/bits/move.h:57:0,
......
/usr/lib/gcc/x86_64-redhat-linux/4.7.2/../../../../include/c++/4.7.2/type_traits:762:43: error: within this context

由于我的一些用户有非常旧的系统,它可能使用旧版本的编译器,我真的很想知道是否有任何解决方法。

如果您从不使用复制 ctor,而不是将其设为私有,您可以将其删除:

Option(const Option&) = delete;

这可能有助于编译器选择正确的可用 CTOR。

否则,您可以尝试手动构建临时对象并将其移回:

options.push_back(Option("help", 'h', OPTION_GROUP_MISC,
                         &opt_show_help, htio2::Option::FLAG_NONE,
                         "Show help and exit."));

g++ 4.7 想要一个 noexcept move 构造函数:

Option(Option&& other) noexcept {};

如果你不想复制,你可以使用shared_ptr。

class Option;
typedef boost::shared_ptr<Option> OptionPtr;
OptionPtr o = boost::make_shared<Option>("help", 'h', OPTION_GROUP_MISC,
                         &opt_show_help, htio2::Option::FLAG_NONE,
                         "Show help and exit.");
std::vector<OptionsPtr> options;
options.push_back(o);
相关文章: