std::tuple是C++11引入的模板类,可组合多个不同类型的数据;通过std::make_tuple创建,std::get按索引或类型访问元素;支持std::tie解包及结构化绑定,可用于函数多值返回、数据聚合等场景。
std::tuple 是 C++11 引入的一个模板类,用于将多个不同类型的数据组合成一个单一对象。它类似于 std::pair,但可以包含两个以上的元素。常用于函数返回多个值、数据聚合等场景。
创建和初始化 tuple
你可以使用 std::make_tuple 或直接构造的方式来创建 tuple。
示例:
#include <tuple><br> #include <iostream><br><br> int main() {<br> // 创建 tuple 的几种方式<br> auto t1 = std::make_tuple(1, "hello", 3.14);<br> std::tuple<int, std::string, double> t2(42, "world", 2.71);<br> auto t3 = std::tuple(100, 'A', true); // C++17 起支持类型推导<br><br> return 0;<br> }
访问 tuple 中的元素
使用 std::get<index>(tuple) 来获取指定位置的元素,索引从 0 开始。
示例:
auto t = std::make_tuple(10, "test", false);<br><br> int a = std::get<0>(t); // a = 10<br> std::string b = std::get<1>(t); // b = "test"<br> bool c = std::get<2>(t); // c = false<br><br> std::cout << a << ", " << b << ", " << c << std::endl;
也可以通过类型来获取元素(C++14 起支持):
立即学习“C++免费学习笔记(深入)”;
auto t = std::make_tuple(42, std::string("hi"), 3.14);<br> std::string s = std::get<std::string>(t); // 根据类型获取
修改和解包 tuple
使用 std::tie 可以将 tuple 的元素解包到变量中,适合用于接收多个返回值。
示例:
std::tuple<int, std::string, double> getData() {<br> return std::make_tuple(100, "example", 99.9);<br> }<br><br> int main() {<br> int id;<br> std::string name;<br> double score;<br><br> std::tie(id, name, score) = getData();<br> std::cout << id << ", " << name << ", " << score << std::endl;<br><br> return 0;<br> }
如果不需要某个值,可以用 std::ignore 占位:
std::tie(id, std::ignore, score) = getData(); // 忽略 name
C++17 起支持结构化绑定,更简洁:
auto [id, name, score] = getData();<br> std::cout << id << ", " << name << ", " << score;
合并与比较 tuple
可以使用 std::tuple_cat 合并多个 tuple。
示例:
auto t1 = std::make_tuple(1, 2);<br> auto t2 = std::make_tuple('a', 'b');<br> auto t3 = std::tuple_cat(t1, t2); // 合并为 (1,2,'a','b')<br><br> std::cout << std::get<2>(t3) << std::endl; // 输出 'a'
tuple 支持直接比较(字典序):
auto a = std::make_tuple(1, "hello");<br> auto b = std::make_tuple(2, "abc");<br> if (a < b) {<br> std::cout << "a < b" << std::endl;<br> }
基本上就这些。std::tuple 灵活但不常用作长期存储,更多是临时打包数据或函数返回多值。配合结构化绑定使用,代码清晰又高效。