Single Element in a Sorted Array
Problem
You are given a sorted array consisting of only integers where every element appears exactly twice, except for one element which appears exactly once.
Return the single element that appears only once.
Your solution must run in O(log n)
time and O(1)
space.
Solution Approach
Find the max and min element in the given array. Use divide conquer to find the an element in the range of [max, min] such that the no. of element less than equal to are odd.
Expected Time complexity:
Click - to see solution code
- C++
class Solution {
public:
int singleNonDuplicate(vector<int>& nums) {
int n = nums.size();
int max = INT_MIN, min = INT_MAX;
for (int i = 0; i < n; i++) {
max = max < nums[i] ? nums[i] : max;
min = min > nums[i] ? nums[i] : min;
}
while (min < max) {
int mid = min + (max - min) / 2;
int elems =
upper_bound(nums.begin(), nums.end(), mid) - nums.begin();
if (elems % 2) {
max = mid;
} else {
min = mid + 1;
}
}
return min;
}
};