C 11 的序列压缩功能?

新手上路,请多包涵

使用新的基于范围的 for 循环,我们可以编写如下代码:

 for(auto x: Y) {}

哪个 IMO 是一个 巨大 的改进(例如)

 for(std::vector<int>::iterator x=Y.begin(); x!=Y.end(); ++x) {}

它可以用来循环两个同时的循环,比如 Python 的 zip 函数吗?对于不熟悉 Python 的人,代码:

 Y1 = [1,2,3]
Y2 = [4,5,6,7]
for x1,x2 in zip(Y1,Y2):
    print x1,x2

作为输出给出 (1,4) (2,5) (3,6)

原文由 Hooked 发布,翻译遵循 CC BY-SA 4.0 许可协议

阅读 492
2 个回答

警告: 从 Boost 1.63.0(2016 年 12 月 26 日)起, boost::zip_iteratorboost::combine 将导致未定义的行为,如果输入容器的长度不同(它可能会崩溃或迭代超出结束)。


从 Boost 1.56.0(2014 年 8 月 7 日)开始,您可以 使用 boost::combine (该功能存在于早期版本中,但未记录):

 #include <boost/range/combine.hpp>
#include <vector>
#include <list>
#include <string>

int main() {
    std::vector<int> a {4, 5, 6};
    double b[] = {7, 8, 9};
    std::list<std::string> c {"a", "b", "c"};
    for (auto tup : boost::combine(a, b, c, a)) {    // <---
        int x, w;
        double y;
        std::string z;
        boost::tie(x, y, z, w) = tup;
        printf("%d %g %s %d\n", x, y, z.c_str(), w);
    }
}

这将打印

4 7 一 4
5 8 乙 5
6 9 c 6


在早期版本中,您可以自己定义一个范围,如下所示:

 #include <boost/iterator/zip_iterator.hpp>
#include <boost/range.hpp>

template <typename... T>
auto zip(T&&... containers) -> boost::iterator_range<boost::zip_iterator<decltype(boost::make_tuple(std::begin(containers)...))>>
{
    auto zip_begin = boost::make_zip_iterator(boost::make_tuple(std::begin(containers)...));
    auto zip_end = boost::make_zip_iterator(boost::make_tuple(std::end(containers)...));
    return boost::make_iterator_range(zip_begin, zip_end);
}

用法是一样的。

原文由 kennytm 发布,翻译遵循 CC BY-SA 3.0 许可协议

C++23 开始,我们可以迭代 std::views::zip 。下面是一个简单的例子。

 #include <iostream>
#include <ranges>
#include <vector>

int main() {
    std::vector<int> x {4, 5, 6};
    double y[] = {7, 8, 9};

    for (auto [elem1,elem2] : std::views::zip(x, y))
        std::cout << "[" << elem1 << "," << elem2 << "]" << " ";
}

可以在下面验证输出(在线编译器)。不确定链接存在多少天。

https://godbolt.org/z/KjjE4eeGY

原文由 Pavan Chandaka 发布,翻译遵循 CC BY-SA 4.0 许可协议

撰写回答
你尚未登录,登录后可以
  • 和开发者交流问题的细节
  • 关注并接收问题和回答的更新提醒
  • 参与内容的编辑和改进,让解决方法与时俱进
推荐问题