-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathmedian-of-two-sorted-arrays.cpp
88 lines (70 loc) · 2.47 KB
/
median-of-two-sorted-arrays.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
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
// O( m + n )
class Solution {
public:
double findMedianSortedArrays(vector<int>& nums1, vector<int>& nums2) {
int num1Index = 0;
int num2Index = 0;
auto extractNext = [&]() -> int {
if (num1Index >= nums1.size()) {
num2Index++;
return nums2[num2Index - 1];
}
if (num2Index >= nums2.size()) {
num1Index++;
return nums1[num1Index - 1];
}
if (nums1[num1Index] <= nums2[num2Index]) {
num1Index++;
return nums1[num1Index - 1];
} else {
num2Index++;
return nums2[num2Index - 1];
}
};
int totalCount = nums1.size() + nums2.size();
bool isOdd = (totalCount % 2);
int targetIndex = (totalCount - 1) / 2;
int currentItem = 0;
for (int i=0; i< totalCount; i++) {
currentItem = extractNext();
if ( i < targetIndex ) continue;
if (isOdd) {
return currentItem;
} else {
int nextItem = extractNext();
return (currentItem + nextItem) / 2.0;
}
}
return 0;
}
};
// Binary O(log(m+n)) solution
class Solution {
public:
double findMedianSortedArrays(vector<int>& nums1, vector<int>& nums2) {
if(nums2.size() < nums1.size())
return findMedianSortedArrays(nums2, nums1);
int n1 = nums1.size(), n2 = nums2.size();
int low = 0, high = n1;
while(low <= high) {
int cut1 = (low + high)>>1;
int cut2 = (n1 + n2 + 1)/2 - cut1;
int left1 = (cut1 == 0) ? INT_MIN : nums1[cut1-1];
int left2 = (cut2 == 0) ? INT_MIN : nums2[cut2-1];
int right1 = (cut1 == n1) ? INT_MAX : nums1[cut1];
int right2 = (cut2 == n2) ? INT_MAX : nums2[cut2];
//Solution lies here
if(left1 <= right2 and left2 <= right1) {
if((n1+n2)%2 == 1)
return max(left1, left2);
else
return (max(left1, left2) + min(right1, right2))/2.0;
}
else if(left1 > right2)
high = cut1 - 1;
else
low = cut1 + 1;
}
return 0;
}
};