LeetCode Next Permutation
Posted jzssuanfa
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了LeetCode Next Permutation相关的知识,希望对你有一定的参考价值。
LeetCode解题之Next Permutation
原题
找出一个数组按字典序排列的后一种排列。
注意点:
- 假设原来就是字典序排列中最大的。将其又一次排列为字典序最小的排列
- 不要申请额外的空间
- 小心数组越界问题
- 函数没有返回值,直接改动列表
样例:
输入: [1,2,3]
输出: [1,3,2]
输入: [3,2,1]
输出: [1,2,3]
解题思路
通过一个样例来说明,原数组为[1,7,3,4,1]。我们想要找到比173421大一点的数,那就要优先考虑将后面的数字变换顺序。而421从后往前是升序的(也就是这三个数字能组成的最大的数),变换了反而会变小,所以要先找到降序的点。能够看出3是第一个降序的点,要想整个数变大,3就要变大。从后往前找到第一个比3大的数4,将3和4交换位置得到174321,既然原来3所在位置的数字变大了,那整个数肯定变大了。而它之后的数是最大的(从后往前是升序的),应转换成最小的,直接翻转。
AC源代码
class Solution(object):
def nextPermutation(self, nums):
"""
:type nums: List[int]
:rtype: void Do not return anything, modify nums in-place instead.
"""
length = len(nums)
targetIndex = 0
changeIndex = 0
for i in range(length - 1, 0, -1):
if nums[i] > nums[i - 1]:
targetIndex = i - 1
break
for i in range(length - 1, -1, -1):
if nums[i] > nums[targetIndex]:
changeIndex = i
break
nums[targetIndex], nums[changeIndex] = nums[changeIndex], nums[targetIndex]
if targetIndex == changeIndex == 0:
nums.reverse()
else:
nums[targetIndex + 1:] = reversed(nums[targetIndex + 1:])
欢迎查看我的Github (https://github.com/gavinfish/LeetCode-Python) 来获得相关源代码。
以上是关于LeetCode Next Permutation的主要内容,如果未能解决你的问题,请参考以下文章
LeetCode31 Next Permutation and LeetCode60 Permutation Sequence
LeetCode OJ 31. Next Permutation