lintcode52- Next Permutation- medium

Given a list of integers, which denote a permutation.算法

Find the next permutation in ascending order.spa

 Notice

The list may contains duplicate integers.code

Example

For [1,3,2,3], the next permutation is [1,3,3,2]blog

For [4,3,2,1], the next permutation is [1,2,3,4]排序

 

這題主要是要了解好找下一個排列的方法,利用規則:若是一個序列是遞減的,那麼它不具備下一個排列。算法實現還好。數學

算法:數學算法。看着 13248653   1.從後向前找到最靠後的一對增序對prev,next,此處48。 2.在next~最後中從後找到第一個比prev大的數字biggerNum。 3.交換biggerNum 4.排序如今後面的部分next~最後。io

細節:1.本題最後要排序列部分是有序的,這裏只要作逆序就好,不用作sort,時間複雜度好點。 2.注意一個corner case:就是一開始就全逆序的,找不到最後一對增序對,實際上循環來作須要輸出第一個全增排列。ast

 

public class Solution {
    /**
     * @param num: an array of integers
     * @return: return nothing (void), do not return anything, modify num in-place instead
     */
     
    public void reverse(int[] num, int start, int end) {
        for (int i = start, j = end; i < j; i++, j--) {
            int temp = num[i];
            num[i] = num[j];
            num[j] = temp;
        }
    }
    
    public int[] nextPermutation(int[] num) {
        // find the last increase index
        int index = -1;
        for (int i = num.length - 2; i >= 0; i--) {
            if (num[i] < num[i + 1]) {
                index = i;
                break;
            }
        }
        if (index == -1) {
            reverse(num, 0, num.length - 1);
            return num;
        }
        
        // find the first bigger one
        int biggerIndex = index + 1;
        for (int i = num.length - 1; i > index; i--) {
            if (num[i] > num[index]) {
                biggerIndex = i;
                break;
            }
        }
        
        // swap them to make the permutation bigger
        int temp = num[index];
        num[index] = num[biggerIndex];
        num[biggerIndex] = temp;
        
        // reverse the last part
        reverse(num, index + 1, num.length - 1);
        return num;
    }
}
相關文章
相關標籤/搜索