C++LeetCode 구현(75.색상 정렬)

[LeetCode]75.정렬 색상 정렬
Given an array with n objects colored red, white or blue, sort them in-place so that objects of the same color are adjacent, with the colors in the order red, white and blue.
Here, we will use the integers 0, 1, and 2 to represent the color red, white, and blue respectively.
Note: You are not suppose to use the library's sort function for this problem.
Example:
Input: [2,0,2,1,1,0]
Output: [0,0,1,1,2,2]
Follow up:
  • A rather straight forward solution is a two-pass algorithm using counting sort.
    First, iterate the array counting number of 0's, 1's, and 2's, then overwrite array with total number of 0's, then 1's and followed by 2's.
  • Could you come up with a one-pass algorithm using only constant space?
  • 이 문 제 는 본질 적 으로 정렬 된 문제 이다.문제 에서 계산 으로 정렬 할 수 있 고 배열 을 두 번 옮 겨 다 녀 야 한 다 는 힌트 를 주 었 다.그러면 먼저 이런 방법 을 살 펴 보 자.배열 에 세 개의 서로 다른 요소 만 있 기 때문에 실현 하기 쉽다.
    -우선 원 배열 을 옮 겨 다 니 며 각각 기록 0,1,2 의 개수.
    -그리고 원수 그룹 을 업데이트 하여 개수 에 따라 0,1,2 를 부여 합 니 다.
    해법 1:
    
    class Solution {
    public:
        void sortColors(vector<int>& nums) {
            vector<int> colors(3);
            for (int num : nums) ++colors[num];
            for (int i = 0, cur = 0; i < 3; ++i) {
                for (int j = 0; j < colors[i]; ++j) {
                    nums[cur++] = i;
                }
            }
        }
    };
    문제 에 서 는 한 번 의 배열 만 옮 겨 다 니 며 풀 어야 한다.그러면 두 개의 지침 으로 각각 원 배열 의 머리 와 꼬리 에서 중심 으로 이동 해 야 한다.
    -red 포인터 가 시작 위 치 를 가리 키 고 blue 포인터 가 끝 위 치 를 가리 키 는 것 을 정의 합 니 다.
    -처음부터 원래 배열 을 옮 겨 다 니 며 0 을 만나면 이 값 과 red 포인터 가 가리 키 는 값 을 교환 하고 red 포인 터 를 뒤로 옮 깁 니 다.2 를 만나면 이 값 과 블 루 포인터 가 가리 키 는 값 을 교환 하고 블 루 포인터 한 자 리 를 앞으로 이동 합 니 다.1 을 만나면 계속 옮 겨 다 닌 다.
    해법 2:
    
    class Solution {
    public:
        void sortColors(vector<int>& nums) {
            int red = 0, blue = (int)nums.size() - 1;
            for (int i = 0; i <= blue; ++i) {
                if (nums[i] == 0) {
                    swap(nums[i], nums[red++]);
                } else if (nums[i] == 2) {
                    swap(nums[i--], nums[blue--]);
                } 
            }
        }
    };
    물론 우 리 는 while 순환 방식 으로 쓸 수 있 습 니 다.그러면 현재 옮 겨 다 니 는 위 치 를 기록 하 는 변수 cur 가 필요 합 니 다.코드 는 다음 과 같 습 니 다.
    해법 3:
    
    class Solution {
    public:
        void sortColors(vector<int>& nums) {
            int left = 0, right = (int)nums.size() - 1, cur = 0;
            while (cur <= right) {
                if (nums[cur] == 0) {
                    swap(nums[cur++], nums[left++]);
                } else if (nums[cur] == 2) {
                    swap(nums[cur], nums[right--]);
                } else {
                    ++cur;
                }
            }
        }
    };
    C++구현 LeetCode(75.색상 정렬)에 관 한 이 글 은 여기까지 소개 되 었 습 니 다.더 많은 관련 C++구현 색상 정렬 내용 은 우리 의 이전 글 을 검색 하거나 아래 의 관련 글 을 계속 찾 아 보 세 요.앞으로 도 많은 응원 부 탁 드 리 겠 습 니 다!

    좋은 웹페이지 즐겨찾기