用C ++解开嵌套元组
std::tie
提供了一种方便的方式来将C ++中元组的内容解压到单独定义的变量中,如下面的示例所示
int a, b, c, d, e, f;
auto tup1 = std::make_tuple(1, 2, 3);
std::tie(a, b, c) = tup1;
但是,如果我们有像下面这样的嵌套元组
auto tup2 = std::make_tuple(1, 2, 3, std::make_tuple(4, 5, 6));
试图编译代码
std::tie(a, b, c, std::tie(d, e, f)) = tup2;
失败并报错
/tmp/tuple.cpp:10: error: invalid initialization of non-const reference of type ‘std::tuple<int&, int&, int&>&’ from an rvalue of type ‘std::tuple<int&, int&, int&>’
std::tie(a, b, c, std::tie(d, e, f)) = tup2;
^
有没有一种用C ++解开元组元组的元组的方法?
当您知道没有风险时,您可以通过以下帮助器函数将右值引用转换为左值:
template <class T>
constexpr T &lvalue(T &&v) {
return v;
}
然后你可以这样使用它:
std::tie(a, b, c, lvalue(std::tie(d, e, f))) = tup2;
在你的情况下,这样做确实没有问题,因为内部元组只能在声明的持续时间内保持活动状态,并且(恰好)如此。
链接地址: http://www.djcxy.com/p/88809.html