Leetcode442. 数组中重复的数据-----原地交换
题目表述
给你一个长度为 n 的整数数组 nums ,其中 nums 的所有整数都在范围 [1, n] 内,且每个整数出现 一次 或 两次 。请你找出所有出现 两次 的整数,并以数组形式返回。
你必须设计并实现一个时间复杂度为 O(n) 且仅使用常量额外空间的算法解决此问题。
示例:
输入:nums = [4,3,2,7,8,2,3,1]
输出:[2,3]
原地交换
参考 剑指 Offer 03. 数组中重复的数字
class Solution {
public List<Integer> findDuplicates(int[] nums) {
int n = nums.length;
for(int i = 0; i < n;i++){
while(nums[i] != nums[nums[i] - 1]){
swap(nums, i, nums[i] - 1);
}
}
List<Integer> res = new ArrayList<>();
for(int i = 0; i < n; i++){
if(nums[i] != i+1){
res.add(nums[i]);
}
}
return res;
}
public void swap(int[] nums, int index1, int index2){
int tmp = nums[index2];
nums[index2] = nums[index1];
nums[index1] = tmp;
}
}