442. Find All Duplicates in an Array
题目描述和难度
- 题目描述:
给定一个整数数组 a,其中1 ≤ a[i] ≤ n (n为数组长度), 其中有些元素出现两次而其他元素出现一次。
找到所有出现两次的元素。
你可以不用到任何额外空间并在O(n)时间复杂度内解决这个问题吗?
示例:
输入: [4,3,2,7,8,2,3,1] 输出: [2,3]
- 题目难度:中等。
- 英文网址:442. Find All Duplicates in an Array 。
- 中文网址:442. 数组中重复的数据 。
思路分析
求解关键:
参考解答
参考解答1
import java.util.ArrayList;
import java.util.List;
public class Solution {
public List<Integer> findDuplicates(int[] nums) {
List<Integer> res = new ArrayList<>();
int len = nums.length;
if (len == 0) {
return res;
}
for (int i = 0; i < len; i++) {
while (nums[i] <= len && nums[nums[i] - 1] != nums[i]) {
swap(nums, i, nums[i] - 1);
}
}
for (int i = 0; i < len; i++) {
if (nums[i] - 1 != i) {
res.add(nums[i]);
}
}
return res;
}
private void swap(int[] nums, int index1, int index2) {
if (index1 == index2) {
return;
}
int temp = nums[index1];
nums[index1] = nums[index2];
nums[index2] = temp;
}
public static void main(String[] args) {
int[] nums = {4, 3, 2, 7, 8, 2, 3, 1};
Solution solution = new Solution();
List<Integer> duplicates = solution.findDuplicates(nums);
System.out.println(duplicates);
}
}
本篇文章的地址为 https://liweiwei1419.github.io/leetcode-solution/leetcode-0442-find-all-duplicates-in-an-array ,如果我的题解有错误,或者您有更好的解法,欢迎您告诉我 liweiwei1419@gmail.com 。