[LeetCode]--31. Next Permutation

来源:互联网 发布:淘宝快递合作价格表 编辑:程序博客网 时间:2024/05/20 02:30

Implement next permutation, which rearranges numbers into the lexicographically next greater permutation of numbers.

If such arrangement is not possible, it must rearrange it as the lowest possible order (ie, sorted in ascending order).

The replacement must be in-place, do not allocate extra memory.

Here are some examples. Inputs are in the left-hand column and its corresponding outputs are in the right-hand column.

1,2,3 → 1,3,23,2,1 → 1,2,31,1,5 → 1,5,1

我开始真没看懂他要表达的意思,结果我就输入1,2,3,4,5然后啥也没写九点RunCode一下,看了下期望结果。

1 2 3 4 51 2 3 5 4 1 2 4 3 51 2 4 5 3 1 2 5 3 4 1 2 5 4 3 1 3 2 4 5 

看到这里我相信大家基本和我一样能懂了。对当前排列从后向前扫描,找到一对为升序的相邻元素,记为i和j(i < j)。如果不存在这样一对为升序的相邻元素,则所有排列均已找到,算法结束;否则,重新对当前排列从后向前扫描,找到第一个大于i的元素k,交换i和k,然后对从j开始到结束的子序列反转,则此时得到的新排列就为下一个字典序排列。

public void nextPermutation(int[] nums) {        int index = nums.length - 1;        while (index > 0 && nums[index] <= nums[index - 1]) {            index--;        }        if (index == 0) {            Arrays.sort(nums);            return;        }        int second = Integer.MAX_VALUE, secondIndex = Integer.MAX_VALUE;        for (int i = nums.length - 1; i > index - 1; i--) {            if (nums[i] > nums[index - 1] && nums[i] < second) {                second = nums[i];                secondIndex = i;            }        }        int tmp = nums[index - 1];        nums[index - 1] = nums[secondIndex];        nums[secondIndex] = tmp;        Arrays.sort(nums, index, nums.length);    }
0 0
原创粉丝点击