forked from shuboc/LeetCode-2
-
Notifications
You must be signed in to change notification settings - Fork 1
/
single-number-iii.cpp
50 lines (43 loc) · 1.48 KB
/
single-number-iii.cpp
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
// Time: O(n)
// Space: O(1)
class Solution {
public:
vector<int> singleNumber(vector<int>& nums) {
// Xor all the elements to get x ^ y.
const auto x_xor_y = accumulate(nums.cbegin(), nums.cend(), 0, bit_xor<int>());
// Get the last bit where 1 occurs by "x & ~(x - 1)"
// Because -(x - 1) = ~(x - 1) + 1 <=> -x = ~(x - 1)
// So we can also get the last bit where 1 occurs by "x & -x"
const auto bit = x_xor_y & -x_xor_y;
// Get the subset of A where the number has the bit.
// The subset only contains one of the two integers, call it x.
// Xor all the elements in the subset to get x.
vector<int> result(2, 0);
for (const auto& i : nums) {
result[static_cast<bool>(i & bit)] ^= i;
}
return result;
}
};
class Solution2 {
public:
vector<int> singleNumber(vector<int>& nums) {
// Xor all the elements to get x ^ y.
int x_xor_y = 0;
for (const auto& i : nums) {
x_xor_y ^= i;
}
// Get the last bit where 1 occurs.
const auto bit = x_xor_y & ~(x_xor_y - 1);
// Get the subset of A where the number has the bit.
// The subset only contains one of the two integers, call it x.
// Xor all the elements in the subset to get x.
int x = 0;
for (const auto& i : nums) {
if (i & bit) {
x ^= i;
}
}
return {x, x_xor_y ^ x};
}
};