LeetCode -- Queue Reconstruction by Height

Difficulty: Medium
Problem Link: https://leetcode.com/problems/queue-reconstruction-by-height/

Problem

Suppose you have a random list of people standing in a queue. Each person is described by a pair of integers (h, k), where h is the height of the person and k is the number of people in front of this person who have a height greater than or equal to h. Write an algorithm to reconstruct the queue.
Note:The number of people is less than 1,100.
Example
Input:[[7,0], [4,4], [7,1], [5,0], [6,1], [5,2]]
Output:[[5,0], [7,0], [5,2], [6,1], [4,4], [7,1]]
Tag: Greedy

Explanation

  • 这道题目的关键是:只有身高大于等于自身的人,对于K值才有影响。假设A的身高为h,身高大于等于h的人的站位会影响A的K值,而身高小于h的人无论是站在A的前面抑或是后面,对于A的K值都是没有影响的。但是A的站位却会影响比A身高矮的人的K值,所以唯有先确定A的站位,才可确定身高小于A的人的站位,所以初步猜想是将所有人按照身高从高到低排序,依次插入到一个新的队列中去,插入的位置就是K值的大小。
  • 第二个要考虑的问题就是身高相同的人,但是K值不同,显然K值越大的人站位越靠后,因为对于H相同的人,站位靠后的K值至少比前面的大1。所以要先插入K值较小的人。因此得出这样的排序规则。
    auto comp = [](const pair& x, const pair& y) { return (x.first > y.first || (x.first == y.first && x.second < y.second)); };

cpp solution

class Solution {
public:
    vector> reconstructQueue(vector>& people) {
        auto comp = [](const pair& x, const pair& y) {
            return (x.first > y.first || (x.first == y.first && x.second < y.second));   
        };
        
        sort(people.begin(), people.end(), comp);
        vector> res;
        
        for (auto &p : people) {
            res.insert(res.begin() + p.second, p);
        }
        
        return res;
    }
};

你可能感兴趣的:(LeetCode -- Queue Reconstruction by Height)