tuple即元组,它定义了一个有固定数目元素的容器,其中每个元素类型可以不相同,这点它与其他类型的容器不同,例如vector和array(它们所包含的元素类型必须是一样的)。
当一个函数有许多返回值时,为了可读性,一般可以用class或者struct来封装要返回的多个值。boost::tuple提供了另外一种解决函数返回多值得方法,优点是不增加代码量,std::pair其实就是boost::tuple的2个参数的特例,对boost::tuple来说可以绑定更多的参数。
- 添加头文件:
cpp
#include <boost/tuple/tuple.hpp>
- 构造tuple,构造的参数不必与元素的类型精确相同,只要它们可以隐式地转换就可以了:
cpp
boost::tuple<int,double,std::string> my_tuple(42, 3.14, "My first tuple!");
- make_tuple,生成tuple, 有助于自动推导元组类型,缺省情况下,make_tuple设置元素类型为非const,
非引用的。为了使一个tuple的元素设为引用类型或者const类型,需要使用boost::ref和boost::cref:
cpp
int plain = 42;
boost::make_tuple(plain);
int& ref = plain;
boost::make_tuple(boost::ref(ref));
const int& cref = ref;
boost::make_tuple(boost::cref(cref));
- 访问tuple元素,t.get()或get(t) ,取得第N个元素值:
cpp
#include <iostream>
#include <string>
#include "boost/tuple/tuple.hpp"
int main() {
boost::tuple<int,double,std::string> my_tuple(42, 3.14, "My first tuple!");
int i = boost::tuples::get<0>(my_tuple);
double d = my_tuple.get<1>();
std::string s = boost::get<2>(my_tuple);
}