是否可以使用C ++ Range-v3 library解压缩先前压缩的向量?我希望它的行为类似于Haskell的unzip函数或Python的zip(*list)。
例如,当按照另一个向量的值对矢量进行排序时,这将是方便的:
using namespace ranges;
std::vector<std::string> names {"john", "bob", "alice"};
std::vector<int> ages {32, 19, 35};
// zip names and ages
auto zipped = view::zip(names, ages);
// sort the zip by age
sort(zipped, [](auto &&a, auto &&b) {
return std::get<1>(a) < std::get<1>(b);
});
// put the sorted names back into the original vector
std::tie(names, std::ignore) = unzip(zipped);
答案 0 :(得分:8)
传递容器参数时,range-v3中的view::zip
会创建一个视图,其中包含对原始元素的引用元组。将压缩视图传递给sort
可以对元素进行排序。即,这个程序:
#include <vector>
#include <string>
#include <iostream>
#include <range/v3/algorithm.hpp>
#include <range/v3/view.hpp>
using namespace ranges;
template <std::size_t N>
struct get_n {
template <typename T>
auto operator()(T&& t) const ->
decltype(std::get<N>(std::forward<T>(t))) {
return std::get<N>(std::forward<T>(t));
}
};
namespace ranges {
template <class T, class U>
std::ostream& operator << (std::ostream& os, common_pair<T, U> const& p) {
return os << '(' << p.first << ", " << p.second << ')';
}
}
int main() {
std::vector<std::string> names {"john", "bob", "alice"};
std::vector<int> ages {32, 19, 35};
auto zipped = view::zip(names, ages);
std::cout << "Before: Names: " << view::all(names) << '\n'
<< " Ages: " << view::all(ages) << '\n'
<< " Zipped: " << zipped << '\n';
sort(zipped, less{}, get_n<1>{});
std::cout << " After: Names: " << view::all(names) << '\n'
<< " Ages: " << view::all(ages) << '\n'
<< " Zipped: " << zipped << '\n';
}
输出:
Before: Names: [john,bob,alice] Ages: [32,19,35] Zipped: [(john, 32),(bob, 19),(alice, 35)] After: Names: [bob,john,alice] Ages: [19,32,35] Zipped: [(bob, 19),(john, 32),(alice, 35)]