You have a set of integers s
, which originally contains all the numbers from 1
to n
. Unfortunately, due to some error, one of the numbers in s
got duplicated to another number in the set, which results in repetition of one number and loss of another number.
You are given an integer array nums
representing the data status of this set after the error.
Find the number that occurs twice and the number that is missing and return them in the form of an array.
Example 1:
Input: nums = [1,2,2,4] Output: [2,3]
Example 2:
Input: nums = [1,1] Output: [1,2]
Constraints:
2 <= nums.length <= 104
1 <= nums[i] <= 104
class Solution:
def findErrorNums(self, nums: List[int]) -> List[int]:
res = 0
for num in nums:
res ^= num
for i in range(1, len(nums) + 1):
res ^= i
pos = 0
while (res & 1) == 0:
res >>= 1
pos += 1
a = b = 0
for num in nums:
if ((num >> pos) & 1) == 0:
a ^= num
else:
b ^= num
for i in range(1, len(nums) + 1):
if ((i >> pos) & 1) == 0:
a ^= i
else:
b ^= i
for num in nums:
if num == a:
return [a, b]
return [b, a]
class Solution {
public int[] findErrorNums(int[] nums) {
int res = 0;
for (int num : nums) {
res ^= num;
}
for (int i = 1, n = nums.length; i < n + 1; ++i) {
res ^= i;
}
int pos = 0;
while ((res & 1) == 0) {
res >>= 1;
++pos;
}
int a = 0, b = 0;
for (int num : nums) {
if (((num >> pos) & 1) == 0) {
a ^= num;
} else {
b ^= num;
}
}
for (int i = 1, n = nums.length; i < n + 1; ++i) {
if (((i >> pos) & 1) == 0) {
a ^= i;
} else {
b ^= i;
}
}
for (int num : nums) {
if (num == a) {
return new int[]{a, b};
}
}
return new int[]{b, a};
}
}