You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

43 lines
857 B

This file contains ambiguous Unicode characters!

This file contains ambiguous Unicode characters that may be confused with others in your current locale. If your use case is intentional and legitimate, you can safely ignore this warning. Use the Escape button to highlight these characters.

package class38;
import java.util.ArrayList;
import java.util.List;
public class Problem_0448_FindAllNumbersDisappearedInAnArray {
public static List<Integer> findDisappearedNumbers(int[] nums) {
List<Integer> ans = new ArrayList<>();
if (nums == null || nums.length == 0) {
return ans;
}
int N = nums.length;
for (int i = 0; i < N; i++) {
// 从i位置出发去玩下标循环怼
walk(nums, i);
}
for (int i = 0; i < N; i++) {
if (nums[i] != i + 1) {
ans.add(i + 1);
}
}
return ans;
}
public static void walk(int[] nums, int i) {
while (nums[i] != i + 1) { // 不断从i发货
int nexti = nums[i] - 1;
if (nums[nexti] == nexti + 1) {
break;
}
swap(nums, i, nexti);
}
}
public static void swap(int[] nums, int i, int j) {
int tmp = nums[i];
nums[i] = nums[j];
nums[j] = tmp;
}
}