實現(xiàn)獲取下一個排列的函數(shù),算法需要將給定數(shù)字序列重新排列成字典序中下一個更大的排列瞳别。
如果不存在下一個更大的排列征候,則將數(shù)字重新排列成最小的排列(即升序排列)杭攻。
必須原地修改,只允許使用額外常數(shù)空間疤坝。
以下是一些例子兆解,輸入位于左側(cè)列,其相應(yīng)輸出位于右側(cè)列跑揉。
1,2,3 → 1,3,2
3,2,1 → 1,2,3
1,1,5 → 1,5,1
題解:確定nums[i]<nums[i+1]的i后锅睛,nums[i]之后的排列是降序的
class Solution:
def nextPermutation(self, nums: List[int]) -> None:
"""
Do not return anything, modify nums in-place instead.
"""
if not nums or len(nums)==1:
return nums
def swap(nums, i, j):
nums[i], nums[j] = nums[j], nums[i]
return nums
def reverse(nums,i):
j = len(nums)-1
while i < j:
swap(nums, i, j)
i += 1
j -= 1
return nums
i = len(nums)-2
while i >= 0 and nums[i] >= nums[i+1]:
i -= 1
if i>=0:
j = len(nums) - 1
while j> i and nums[j]<=nums[i]:
j -= 1
swap(nums, i, j)
reverse(nums,i+1)