c++ std::pair
测试std::pair, 代码如下:
#include <algorithm>// pair返回多个数据。 还可以嵌套, 如pair<int, pair<int, string>>
pair<int, int> getMinAndMax(int a, int b) {int min = a < b ? a : b;int max = a > b ? a : b;return make_pair(min, max);
}void testPair() {int a = 9527, b = 1605;pair<int, int> res = getMinAndMax(a, b);cout << "min: " << res.first << ", max: " << res.second << endl;// pair可以作为map的元素std::map<string, int> peopleKungFus;peopleKungFus.insert(std::pair<string, int>("段正淳", 75)); // 显式构造 pairpeopleKungFus.insert(make_pair("田伯光", 85)); // 使用 make_pairpeopleKungFus.emplace("南海神尼", 60); // 直接构造for (const auto& pair : peopleKungFus) { // 按照key的排序顺序升序排列std::cout << "[" << pair.first << ", " << pair.second << "] ";}cout << endl;// 将多个属性组合为 pair 后存入 vector 或 set,可实现多属性排序vector<pair<string, int>> kungFuScores = { {"挤奶龙抓手", 88}, {"葵花点穴手", 80}, {"一阳指", 99} };sort(kungFuScores.begin(), kungFuScores.end()); // 默认按 string(功夫名) 升序排序for (const auto& pair : kungFuScores) {std::cout << "[" << pair.first << ", " << pair.second << "] ";}cout << endl;sort(kungFuScores.begin(), kungFuScores.end(),[](const auto& a, const auto& b) {return a.second > b.second; // 按 int(功夫武力值) 降序排序});cout << "按照功夫武力值降序排列为:";for (const auto& pair : kungFuScores) {std::cout << "[" << pair.first << ", " << pair.second << "] ";}cout << endl;// 与 STL 算法协同工作, 这里是筛选数据,查找满足条件的第一个数. 使用find_if函数需包含头文件algorithmauto it = find_if(kungFuScores.begin(), kungFuScores.end(),[](const pair<string, int>& p) {return p.second > 80;});if (it != kungFuScores.end()) {cout << "武力值大于80的最高的武功是:" << it->first << ", 武力值为:" << it->second << endl;}else {cout << "未找到满足条件的数据" << endl;}cout << "武功武力值大于80的有:";it = kungFuScores.begin();for (;(it = find_if(it, kungFuScores.end(),[](const auto& p) { return p.second > 80; })) != kungFuScores.end();) {cout << it->first << ":" << it->second << " ";++it; // 跳过已处理项}cout << endl;
}
打印:
ok.