1. 程式人生 > >LeetCode 75 顏色分類(荷蘭旗問題)

LeetCode 75 顏色分類(荷蘭旗問題)

給定一個包含紅色、白色和藍色,一共 個元素的陣列,原地對它們進行排序,使得相同顏色的元素相鄰,並按照紅色、白色、藍色順序排列。

此題中,我們使用整數 0、 1 和 2 分別表示紅色、白色和藍色。

注意:
不能使用程式碼庫中的排序函式來解決這道題。

示例:

輸入: [2,0,2,1,1,0]
輸出: [0,0,1,1,2,2]

進階:

  • 一個直觀的解決方案是使用計數排序的兩趟掃描演算法。
    首先,迭代計算出0、1 和 2 元素的個數,然後按照0、1、2的排序,重寫當前陣列。
  • 你能想出一個僅使用常數空間的一趟掃描演算法嗎?

思路:此題其實就是‘荷蘭旗問題’。

設定3個指標begin、current、end :begin end標記已排好序的0和2   current進行動態調整

注意:0和2排好序時 1自然排好 故1不需要處理

class Solution {
    public void sortColors(int[] nums) {
//         設定3個指標 begin end current 注意交換的順序問題
        for(int begin=0,end=nums.length-1,current=0;current<=end;){
            if(nums[current]<1) {
                swap(nums,current,begin);
                begin++;
                current++;
            }
            else if(nums[current]==1){
                current++;
            }
            else {
                swap(nums,current,end);
                end--;
            }
        }
    }
    public void swap(int nums[],int i,int j){
        int temp=nums[i];
        nums[i]=nums[j];
        nums[j]=temp;
    }
}