在编译期很容易根据索引来获取对应位置的元素,因为 tuple 的帮助函数 std::get<N>(tp) 就能获取 tuple 中第 N 个元素。然而我们却不能直接在运行期通过变量来获取 tuple 中的元素值,比如下面的用法:
; std::get<i>(tp);
这样写是不合法的,会报一个需要编译期常量的错误。 要通过运行时的变最米获取 tuple 中的元素值,需要采取一些替代手法,将运行期变量“映射”为编译期常量。
下面是基于C++14实现的,运行期以索引获取tuple元素的方法。需支持C++14及以上标准的编译器,VS2017 15.5.x、CodeBlocks 16.01 gcc 7.2。
//运行期以索引获取tuple元素-C++14 //需支持C++14及以上标准的编译器,VS2017 15.5.x、CodeBlocks 16.01 gcc 7.2 //自编 #include <iostream> #include <tuple> #include <utility> //index_sequence using namespace std; template <typename Tuple> void visit3(size_t i, Tuple& tup, index_sequence<>) { } template <typename Tuple, size_t... Idx> void visit3(size_t i, Tuple& tp, index_sequence<Idx...>) { constexpr size_t I = index_sequence<Idx...>::size() - ; if (i == I) cout << get<I>(tp) << endl; visit3(i, tp, make_index_sequence<I>{}); } template <typename Tuple> void visit_help(size_t i, Tuple& tp) { visit3(i, tp, make_index_sequence<tuple_size<Tuple>::value>{}); } int main() { auto tp = make_tuple(, "The test", true); ; visit_help(i, tp); ; }