结构化绑定和领带()

时间:2018-03-30 12:28:54

标签: c++ c++17 structured-bindings

鉴于这些声明:

ValidatorManager

我可以使用结构化绑定声明来解码int a[3] {10,20,30}; std::tuple<int,int,int> b {11,22,33}; a

b

但如果auto [x1,y1,z1] = a; auto [x2,y2,z2] = b; x1等已经存在,我该怎么办?

y1

这适用于std::tie(x1,y1,z1) = a; // ERROR std::tie(x2,y2,z2) = b; // OK 但不适用于b。是否有适用于a的类似简单构造,或者我是否必须分别获取aa[0]a[1]

2 个答案:

答案 0 :(得分:9)

不。

结构化绑定具有特定的语言规则来处理数组和某些其他类型。 tie()具体为tuple<T&...>,只能从其他tuple<U&...>分配。

使用数组大小​​写,您可以编写一个函数将该数组转换为引用元组:

template <typename T, size_t N, size_t... Is>
auto as_tuple_impl(T (&arr)[N], std::index_sequence<Is...>) {
    return std::forward_as_tuple(arr[Is]...);
}

template <typename T, size_t N>
auto as_tuple(T (&arr)[N]) {
    return as_tuple_impl(arr, std::make_index_sequence<N>{});
}

std::tie(x1, y1, z1) = as_tuple(a); // ok

或者,如果您知道有多少绑定(无论如何),您可以使用结构化绑定作为回馈元组。但是你必须指定大小并为每个大小写一个案例:

template <size_t I, typename T>
auto as_tuple(T&& tuple) {
    if constexpr (I == 1) {
        auto&& [a] = std::forward<T>(tuple);
        return std::forward_as_tuple(a);
    } else if constexpr (I == 2) {
        auto&& [a, b] = std::forward<T>(tuple);
        return std::forward_as_tuple(a, b);
    } else if constexpr (I == 3) {
        // etc.
    }
}

std::tie(x1, y1, z1) = as_tuple<3>(a); // ok

答案 1 :(得分:2)

只是为了好玩...来模拟类似于

的语法
std::tie(x1,y1,z1) = a;

你可以编写一个包含指针数组的结构,其中operator=()用于相应的数组

template <typename T, std::size_t ... Is>
struct ptrArray<T, std::index_sequence<Is...>>
 {
   std::array<T*, sizeof...(Is)> ap;

   auto & operator= (T (&arr)[sizeof...(Is)])
    {
      ((*ap[Is] = arr[Is]), ...);

      return *this;
    }
 };

和这个结构的make-function

template <typename T0, typename ... Ts>
ptrArray<T0, std::make_index_sequence<sizeof...(Ts)+1U>>
   makePtrArray (T0 & t0, Ts & ... ts)
 { return { { { &t0, &ts... } } }; }

makePtrArray(x1, y1, z1) = a;

作品。

以下是一个完整的工作示例

#include <array>
#include <iostream>
#include <type_traits>

template <typename, typename>
struct ptrArray;

template <typename T, std::size_t ... Is>
struct ptrArray<T, std::index_sequence<Is...>>
 {
   std::array<T*, sizeof...(Is)> ap;

   auto & operator= (T (&arr)[sizeof...(Is)])
    {
      ((*ap[Is] = arr[Is]), ...);

      return *this;
    }
 };

template <typename T0, typename ... Ts>
ptrArray<T0, std::make_index_sequence<sizeof...(Ts)+1U>>
   makePtrArray (T0 & t0, Ts & ... ts)
 { return { { { &t0, &ts... } } }; }

int main ()
 {
   int x1, y1, z1;
   int a[3] {10,20,30};

   makePtrArray(x1, y1, z1) = a;

   std::cout << x1 << ' ' << y1 << ' ' << z1 << std::endl;
 }