简体   繁体   English

如何在C ++ 11(STL)中创建一个拉链两个元组的函数?

[英]How to make a function that zips two tuples in C++11 (STL)?

I recently ran across this puzzle, was finally able to struggle out a hacky answer (using index arrays), and wanted to share it (answer below). 我最近碰到了这个难题,终于能够解决一个hacky的答案(使用索引数组),并想分享它(下面的答案)。 I am sure there are answers that use template recursion and answers that use boost ; 我确信有些答案使用模板递归和使用boost答案; if you're interested, please share other ways to do this. 如果您有兴趣,请分享其他方法来做到这一点。 I think having these all in one place may benefit others and be useful for learning some of the cool C++11 template metaprogramming tricks. 我认为将这些全部放在一个地方可能会让其他人受益,并且对于学习一些很酷的C ++ 11模板元编程技巧很有用。

Problem: Given two tuples of equal length: 问题:给出两个长度相等的元组:

auto tup1 = std::make_tuple(1, 'b', -10);
auto tup2 = std::make_tuple(2.5, 2, std::string("even strings?!"));

How do you create a function that will "zip" the two tuples into a heterogeneous tuple of pairs? 你如何创建一个将两个元组“压缩”成异构元组的函数?

std::tuple<
    std::pair<int, double>,
    std::pair<char, int>,
    std::pair<int, std::string> > result =
    tuple_zip( tup1, tup2 );

Where 哪里

std::get<0>(result) == std::make_pair(1, 2.5);
std::get<1>(result) == std::make_pair('b', 2);
std::get<2>(result) == std::make_pair(-10, std::string("even strings?!"));

First, a quick overview of index arrays: 首先,快速浏览索引数组:

template<std::size_t ...S>
struct seq { };

// And now an example of how index arrays are used to print a tuple:
template <typename ...T, std::size_t ...S>
void print_helper(std::tuple<T...> tup, seq<S...> s) {
  // this trick is exceptionally useful:
  // ((std::cout << std::get<S>(tup) << " "), 0) executes the cout
  // and returns 0.
  // { 0... } expands (because the expression has an S in it),
  // returning an array of length sizeof...(S) full of zeros.
  // The array isn't used, but it's a great hack to do one operation
  // for each std::size_t in S.
  int garbage[] = { ((std::cout << std::get<S>(tup) << " "), 0)... };
  std::cout << std::endl;
}

And now to use our print_helper function: 现在使用我们的print_helper函数:

int main() {
  print_helper(std::make_tuple(10, 0.66, 'h'), seq<0,1,2>() );
  return 0;
}

Typing seq<0,1,2> can be a bit of a pain, though. 但是,键入seq<0,1,2>可能会有点痛苦。 So we can use template recursion to create a class to generate seq s, so that gens<3>::type is the same as seq<0,1,2> : 所以我们可以使用模板递归来创建一个类来生成seq ,这样gens<3>::typeseq<0,1,2>相同:

template<std::size_t N, std::size_t ...S>
struct gens : gens<N-1, N-1, S...> { };

template<std::size_t ...S>
struct gens<0, S...> {
  typedef seq<S...> type;
};

int main() {
  print_helper(std::make_tuple(10, 0.66, 'h'), gens<3>::type() );
  return 0;
}

Since the N in gens<N>::type will always be the number of elements in the tuple, you can wrap print_helper to make it easier: 由于Ngens<N>::type永远是在元组元素的数量,你可以用print_helper ,使其更容易:

template <typename ...T>
void print(std::tuple<T...> tup) {
  print_helper(tup, typename gens<sizeof...(T)>::type() );
}

int main() {
  print(std::make_tuple(10, 0.66, 'h'));
  return 0;
}

Note that the template arguments can be deduced automatically (typing all of that out would be a pain wouldn't it?). 请注意,模板参数可以自动推导出来(输入所有这些将是一种痛苦不是吗?)。

Now, the tuple_zip function: 现在, tuple_zip函数:

As before, start with the helper function: 和以前一样,从辅助函数开始:

template <template <typename ...> class Tup1,
    template <typename ...> class Tup2,
    typename ...A, typename ...B,
    std::size_t ...S>
auto tuple_zip_helper(Tup1<A...> t1, Tup2<B...> t2, seq<S...> s) ->
decltype(std::make_tuple(std::make_pair(std::get<S>(t1),std::get<S>(t2))...)) {
  return std::make_tuple( std::make_pair( std::get<S>(t1), std::get<S>(t2) )...);
}

The code is a little tricky, particularly the trailing return type (the return type is declared as auto and provided with -> after the parameters are defined). 代码有点棘手,特别是尾随返回类型(返回类型声明为auto并在定义参数后提供-> )。 This lets us avoid the problem of even defining what the return type will be, by simply declaring it returns the expression used in the function body (if x and y are int s, delctype(x+y) is resolved at compile time as int ). 这让我们可以避免甚至定义返回类型的问题,只需声明它返回函数体中使用的表达式(如果xyint ,则delctype(x+y)在编译时被解析为int )。

Now wrap it in a function that provides the appropriate seq<0, 1...N> using gens<N>::type : 现在将它包装在一个函数中,该函数使用gens<N>::type提供适当的seq<0, 1...N>

template <template <typename ...> class Tup1,
  template <typename ...> class Tup2,
  typename ...A, typename ...B>
auto tuple_zip(Tup1<A...> t1, Tup2<B...> t2) ->
decltype(tuple_zip_helper(t1, t2, typename gens<sizeof...(A)>::type() )) {
  static_assert(sizeof...(A) == sizeof...(B), "The tuple sizes must be the same");
  return tuple_zip_helper( t1, t2, typename gens<sizeof...(A)>::type() );
}

Now you can use it as specified in the question: 现在您可以按照问题中的指定使用它:

int main() {
  auto tup1 = std::make_tuple(1, 'b', -10);
  auto tup2 = std::make_tuple(2.5, 2, std::string("even strings?!"));
  std::tuple<
    std::pair<int, double>,
    std::pair<char, int>,
    std::pair<int, std::string> > x = tuple_zip( tup1, tup2 );

  // this is also equivalent:
  //  auto x = tuple_zip( tup1, tup2 );

  return 0;
}

And finally, if you provide a << operator for std::pair you can use the print function we defined above to print the zipped result: 最后,如果你为std::pair提供<<运算符,你可以使用我们上面定义的print函数来打印压缩结果:

template <typename A, typename B>
std::ostream & operator << (std::ostream & os, const std::pair<A, B> & pair) {
  os << "pair("<< pair.first << "," << pair.second << ")";
  return os;
}

int main() {
  auto tup1 = std::make_tuple(1, 'b', -10);
  auto tup2 = std::make_tuple(2.5, 2, std::string("even strings?!"));
  auto x = tuple_zip( tup1, tup2 );

  std::cout << "zipping: ";
  print(tup1);
  std::cout << "with   : ";
  print(tup2);

  std::cout << "yields : ";
  print(x);

  return 0;
}

The output is: 输出是:

zipping: 1 b 10 压缩:1 b 10
with : 2.5 2 even strings?! 搭配:2.5 2连串?!
yields : pair(1,2.5) pair(b,2) pair(10,even strings?!) 产量:对(1,2.5)对(b,2)对(10,偶数字符串?!)

Like std::array , std::tuple is defined at compile time, and so it can be used to generate more optimizable code (more information is known at compile time compared to containers like std::vector and std::list ). std::array类似, std::tuple是在编译时定义的,因此它可以用于生成更可优化的代码(与std::vectorstd::list等容器相比,在编译时可以std::vector更多信息)。 So even though it's sometimes a bit of work, you can sometimes use it to make fast and clever code. 因此,尽管它有时会有一些工作,但有时您可以使用它来制作快速而聪明的代码。 Happy hacking! 快乐的黑客!


Edit: 编辑:

As requested, allowing tuples of different sizes and padding with null pointers: 根据要求,允许使用不同大小的元组和使用空指针填充:

template <typename T, std::size_t N, std::size_t ...S>
auto array_to_tuple_helper(const std::array<T, N> & arr, seq<S...> s) -> decltype(std::make_tuple(arr[S]...)) {
  return std::make_tuple(arr[S]...);
}

template <typename T, std::size_t N>
auto array_to_tuple(const std::array<T, N> & arr) -> decltype( array_to_tuple_helper(arr, typename gens<N>::type()) ) {
  return array_to_tuple_helper(arr, typename gens<N>::type());
}

template <std::size_t N, template <typename ...> class Tup, typename ...A>
auto pad(Tup<A...> tup) -> decltype(tuple_cat(tup, array_to_tuple(std::array<std::nullptr_t, N>()) )) {
  return tuple_cat(tup, array_to_tuple(std::array<std::nullptr_t, N>()) );
}

#define EXTENSION_TO_FIRST(first,second) ((first)>(second) ? (first)-(second) : 0)

template <template <typename ...> class Tup1, template <typename ...> class Tup2, typename ...A, typename ...B>
auto pad_first(Tup1<A...> t1, Tup2<B...> t2) -> decltype( pad<EXTENSION_TO_FIRST(sizeof...(B), sizeof...(A)), Tup1, A...>(t1) ) {
  return pad<EXTENSION_TO_FIRST(sizeof...(B), sizeof...(A)), Tup1, A...>(t1);
}

template <template <typename ...> class Tup1, template <typename ...> class Tup2, typename ...A, typename ...B>
auto diff_size_tuple_zip(Tup1<A...> t1, Tup2<B...> t2) ->
  decltype( tuple_zip( pad_first(t1, t2), pad_first(t2, t1) ) ) {
  return tuple_zip( pad_first(t1, t2), pad_first(t2, t1) );
}

And BTW, you're going to need this now to use our handy print function: 顺便说一下,你现在需要这个才能使用我们方便的print功能:

std::ostream & operator << (std::ostream & os, std::nullptr_t) {
  os << "null_ptr";
  return os;
}

It isn't extremely difficult to do this for an arbitrary amount of tuples. 对任意数量的元组执行此操作并不是非常困难。

One way is to make a function that collects all elements at a specific index from N tuples into a new tuple. 一种方法是创建一个函数,将从N个元组到特定索引的所有元素收集到一个新元组中。 Then have another function which collects those tuples into a new tuple for each index in the original tuples. 然后有另一个函数将这些元组收集到原始元组中每个索引的新元组中。

All of that can be done relatively simply by expanding expressions with parameter packs, without any recursive functions. 所有这些都可以通过使用参数包扩展表达式而不需要任何递归函数来相对简单地完成。

#include <cstddef>
#include <tuple>

namespace detail {
    // Describe the type of a tuple with element I from each input tuple.
    // Needed to preserve the exact types from the input tuples.
    template<std::size_t I, typename... Tuples>
    using zip_tuple_at_index_t = std::tuple<std::tuple_element_t<I, std::decay_t<Tuples>>...>;

    // Collect all elements at index I from all input tuples as a new tuple.
    template<std::size_t I, typename... Tuples>
    zip_tuple_at_index_t<I, Tuples...> zip_tuple_at_index(Tuples && ...tuples) {
        return {std::get<I>(std::forward<Tuples>(tuples))...};
    }

    // Create a tuple with the result of zip_tuple_at_index for each index.
    // The explicit return type prevents flattening into a single tuple
    // when sizeof...(Tuples) == 1 or sizeof...(I) == 1 .
    template<typename... Tuples, std::size_t... I>
    std::tuple<zip_tuple_at_index_t<I, Tuples...>...> tuple_zip_impl(Tuples && ...tuples, std::index_sequence<I...>) {
        return {zip_tuple_at_index<I>(std::forward<Tuples>(tuples)...)...};
    }

}

// Zip a number of tuples together into a tuple of tuples.
// Take the first tuple separately so we can easily get its size.
template<typename Head, typename... Tail>
auto tuple_zip(Head && head, Tail && ...tail) {
    constexpr std::size_t size = std::tuple_size_v<std::decay_t<Head>>;

    static_assert(
        ((std::tuple_size_v<std::decay_t<Tail>> == size) && ...),
        "Tuple size mismatch, can not zip."
    );

    return detail::tuple_zip_impl<Head, Tail...>(
        std::forward<Head>(head),
        std::forward<Tail>(tail)...,
        std::make_index_sequence<size>()
    );
}

See it in action here: https://wandbox.org/permlink/EQhvLPyRfDrtjDMw 请在此处查看: https//wandbox.org/permlink/EQhvLPyRfDrtjDMw

I used some C++14/17 features, but nothing essential. 我使用了一些C ++ 14/17的功能,但没有必要。 The most difficult part to replace would be the fold expression for checking the tuple sizes. 要替换的最困难的部分是用于检查元组大小的fold表达式。 That would probably have to become a recursive check. 这可能必须成为一个递归检查。

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM