假设有打乱顺序的一群人站成一个队列。 每个人由一个整数对(h, k)表示,其中h是这个人的身高,k是排在这个人前面且身高大于或等于h的人数。 编写一个算法来重建这个队列。
注意:总人数少于1100人。示例输入:[[7,0], [4,4], [7,1], [5,0], [6,1], [5,2]]输出:[[5,0], [7,0], [5,2], [6,1], [4,4], [7,1]]详见:https://leetcode.com/problems/queue-reconstruction-by-height/description/
C++:
class Solution {public: vector> reconstructQueue(vector >& people) { sort(people.begin(), people.end(), [](const pair &a, const pair &b){ return a.first > b.first || (a.first == b.first && a.second < b.second); }); for (int i = 0; i < people.size(); i++) { auto p = people[i]; if (p.second != i) { people.erase(people.begin() + i); people.insert(people.begin() + p.second, p); } } return people; }};
参考:https://www.cnblogs.com/grandyang/p/5928417.html