来源:力扣(LeetCode)
链接:https://leetcode.cn/problems/find-all-duplicates-in-an-array/
著作权归领扣网络所有。商业转载请联系官方授权,非商业转载请注明出处。
解法思路:排序 + 滑动窗口
对数组进行 排序
以后,然后取区间长度为 2
滑动窗口,然后判断区间中的两个数是否相等( 即是否出现两次 ),如若相等则将该数加到结果中
/**
* @author Listen 1024
* @description 442. 数组中重复的数据( 排序 + 滑动窗口)
* 时间复杂度O(n) 其中 n 为 nums 的长度
* 空间复杂度O(1) 返回值不计入空间复杂度
* @date 2022-05-08 0:01
*/
class Solution {
public List<Integer> findDuplicates(int[] nums) {
Arrays.sort(nums);
ArrayList<Integer> res = new ArrayList<>();
for (int i = 0, j = 1; j < nums.length; i++, j++) {
if (nums[i] == nums[j]) {
res.add(nums[i]);
}
}
return res;
}
}
解法思路:正负号标记
给 nums[i]
加上「负号」表示数 i+1
已经出现过一次
当遍历到位置 i
时,我们考虑 nums[nums[i]−1]
的正负性:
nums[nums[i]−1]
是正数,说明 nums[i]
还没有出现过,我们将 nums[nums[i]−1]
加上负号;nums[nums[i]−1]
是负数,说明 nums[i]
已经出现过一次,我们将 nums[i]
放入答案。/**
* @author Listen 1024
* @description 442. 数组中重复的数据( 排序 + 滑动窗口)
* 时间复杂度O(n) 其中 n 为 nums 的长度
* 空间复杂度O(1) 返回值不计入空间复杂度
* @date 2022-05-08 0:01
*/
class Solution {
public List<Integer> findDuplicates(int[] nums) {
int len = nums.length;
ArrayList<Integer> res = new ArrayList<>();
for (int i = 0; i < len; i++) {
int index = Math.abs(nums[i]);
if (nums[index - 1] < 0) {
res.add(index);
} else {
nums[index - 1] = -nums[index - 1];
}
}
return res;
}
}
//部分题解参考链接(如侵删)
https://leetcode.cn/problems/find-all-duplicates-in-an-array/solution/shu-zu-zhong-zhong-fu-de-shu-ju-by-leetc-782l/