在c 11标准库中,加入了std::tie,在c 14中改进,方便使用。 其与tuple关系密切, 主要目的是方便地使用tuple。
元组tuple,有人认为是std::pair扩展。pair只能把2个数据打包,而tuple可以打包更多的数据,虽然超过了9个时,其方式就比较搞笑了。
template
struct pair
{
// store a pair of values
typedef pair<_ty1, _ty2> _myt;
typedef _ty1 first_type;
typedef _ty2 second_type;
pair()
: first(), second()
{
// default construct
}
pair(const _ty1& _val1, const _ty2& _val2)
: first(_val1), second(_val2)
{
// construct from specified values
}
template::value
&& is_convertible::value,
void>::type>
pair(const pair<_other1, _other2>& _right)
: first(_right.first), second(_right.second)
{
// construct from compatible pair
}
//......
为生成pair, c 提供了make_pair的快捷操作。
而tuple的定义:
template
class tuple<_this, _rest...>
: private tuple<_rest...>
{
// recursive tuple definition
public:
typedef _this _this_type;
typedef tuple<_this, _rest...> _myt;
typedef tuple<_rest...> _mybase;
static const size_t _mysize = 1 sizeof...(_rest);
tuple()
: _mybase(),
_myfirst()
{
// construct default
}
template
explicit tuple(_tuple_alloc_t, _rest2&&... _rest_arg)
: _mybase(_std forward<_rest2>(_rest_arg)...),
_myfirst(allocator_arg)
{
// construct smuggled allocator_arg_t element
}
template, _myt>::type>
tuple(const tuple<_other...>& _right)
: _mybase(_right._get_rest()), _myfirst(_right._myfirst._val)
{
// construct by copying same size tuple
}
// ....
相应地,c 标准库提供了make_tuple 内联方法,快速创建tuple对象。
一般std::tie有2个作用:
- 创建一个std::tuple;
- 解包标准库中的一些集合类,简化访问方法。
生成tuple
使用极为简单,可以使用构造函数,内联快捷方法。
示例:
// 定义时 初始化
std::tuple student1 = {
1, 98.0, "david" };
// 使用构造函数
std::tuple student2 ( 2, 99.2, "david2" );
下面的示例使用内联快捷方法。 这里还使用了新版本c 支持的类型auto
, 让编译器自动判断类型 – 虽然传统的我并不喜欢-- 编译时,编译器要选择至少支持c11版本. 如果使用vs,可以看到这些设置。
在linux/macos上,在g build时,指定std, 如:
g tuple_sample.cpp -o tuple_sample -std=c 11
代码示例:
auto student2 = std::make_tuple(11, 98, "tom" );
使用std:tie
,则也可以简单处理:
string name3 = "david3";
int id3 = 3;
double d3 = 99.3;
tuple student3 = std::tie(id3, d3, name3);
解包数据
使用std::tie
可以对一些集合类型进行解包,包括set, tuple, pair … 简化数据访问并赋值到变量。
如示例:
int id3;
string name3;
std::tie(id3, std::ignore, name3) = student3;
cout << "tie student-" << id3 << " \t " << name3 << endl;
注意: 这里使用std:ignore跳过数据对象中不关心的数据。
输出:
tie student-3 david3