-
Notifications
You must be signed in to change notification settings - Fork 138
/
Copy pathlc31.java
54 lines (51 loc) · 1.65 KB
/
lc31.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
package code;
/*
* 31. Next Permutation
* 题意:找出排列组合的下一个排列
* 难度:Medium
* 分类:Array
* 思路:从后往前找第一个变小的数x,从后往前找出比第一个x大的数,交换,再把之后的数逆序即可
* Tips:很典型的排列组合题,思路方法记忆一下。注意比较时是否有=。
* https://leetcode.com/problems/next-permutation/solution/
*
* 1584 76531
* 1585 13467
*/
public class lc31 {
public static void main(String[] args) {
int[] nums = {1,5,8,4,7,6,5,3,1};
nextPermutation(nums);
for (int i:nums){
System.out.println(i);
}
}
public static void nextPermutation(int[] nums) {
int ptr = nums.length-1;
//从后往前找第一个变小的数x 从后往前找出比第一个x大的数
while(ptr>0&&nums[ptr-1]>=nums[ptr]){// 注意是 >= {5,1,1} , 等于--
ptr--;
}
ptr--;
if(ptr!=-1){
//从后往前找出比第一个x大的数
int val = nums[ptr];
int ptr2 = nums.length-1;
while(ptr2>ptr){
if(nums[ptr2]>nums[ptr]) break;
ptr2--;
}
nums[ptr] = nums[ptr2];
nums[ptr2] = val;
}
//把之后的数逆序
ReverseNums(nums,ptr+1,nums.length-1); //+1,不包含ptr那个位置
}
public static void ReverseNums(int[] nums, int start, int end){
int l = end+start;
for (int i = start; i < (start+end+1)/2 ; i++) {
int temp = nums[i];
nums[i] = nums[l-i];
nums[l-i] = temp;
}
}
}