先看看如下的例子:
#include
std::tuple<int, int> GetAge_High()
{
return std::make_tuple(28, 178);
}
int main(int argc, char** argv)
{
std::tuple<int, int> tu = GetAge_High();
cout << "年龄:" << get<0>(tu) << "身高:" << get<1>(tu) << endl;
int nage;
int nHigh;
std::tie(nage, nHigh) = GetAge_High();
cout << "年龄:" << nage << "身高:" << nHigh << endl;
return 0;
}
结果:
从上述代码可以看出使用元组必须指定GetAge_High()函数的返回值类型,在调用的时候还要声明nage,nHigh,或声明一个std::tuple,真的是特别特别麻烦。辛亏C++17对此做了改变。
首先可以使用auto改变返回值类型,如下:
auto GetAge_High()
{
return std::make_tuple(28, 178);
}
接下来继续看,如何优化接收的返回值。那就需要C++17标准中引入的新特性-结构化绑定。
所谓结构化绑定是指将一个或多个名称绑定到初始化对象中的一个或多个子对象上,相当于给初始化对象的子对象起了一个别名。
看如下完整代码:
auto GetAge_High()
{
return std::make_tuple(28, 178);
}
int main(int argc, char** argv)
{
auto[nage, nHigh] = GetAge_High();
cout << "年龄:" << nage << "身高:" << nHigh << endl;
return 0;
}
对于auto[nage, nHigh] = GetAge_High();
代码行,其中auto是类型占位符,[nage, nHigh]是绑定标识符列表,其中nage,nHigh是用于绑定的名称,绑定的目标是GetAge_High()返回结果副本的子对象。
接下来再看几个例子:
int main(int argc, char** argv)
{
int a[3] = { 1,2,3 };
auto [x, y, z] = a;
cout << x << " " << y << " " << z << endl;
return 0;
}
struct TyTag
{
string strname;
int age;
};
int main(int argc, char** argv)
{
TyTag tag{ "Ty",28 };
auto [name, nage] = tag;
cout << name.c_str() << " " << nage << endl;
return 0;
}
int main(int argc, char** argv)
{
std::map<int, string> maptest{ {21,"ty1"},{22,"ty2"},{23,"ty3"},{24,"ty4"},{25,"ty5"},{26,"ty6"} };
for (const auto&node:maptest)
{
cout << node.first << " " << node.second << endl;
}
return 0;
}
上面这段代码是一个基于范围for循环遍历std::map的例子,其中node是std::pair
int main(int argc, char** argv)
{
std::map<int, string> maptest{ {21,"ty1"},{22,"ty2"},{23,"ty3"},{24,"ty4"},{25,"ty5"},{26,"ty6"} };
for (const auto &[age,name]:maptest)
{
cout << age << " " << name << endl;
}
return 0;
}