题目描述
给定两个大小分别为 m
和 n
的正序(从小到大)数组 nums1
和 nums2
。请你找出并返回这两个正序数组的 中位数 。
算法的时间复杂度应该为 O(log (m+n))
。
示例 1:
1 2 3
| 输入:nums1 = , nums2 = 输出:2.00000 解释:合并数组 = ,中位数 2
|
示例 2:
1 2 3
| 输入:nums1 = [1,2], nums2 = [3,4] 输出:2.50000 解释:合并数组 = [1,2,3,4] ,中位数 / 2 = 2.5
|
提示:
nums1.length == m
nums2.length == n
0 <= m <= 1000
0 <= n <= 1000
1 <= m + n <= 2000
-10^6 <= nums1[i], nums2[i] <= 10^6
解法
- 二分查找
- 整体思路:
- 用一条分割线,将两个数组从中间一分为二分成四个部分
- 1.left 1.right
- 2.left 2.right
- 中位数就是max(left)+min(right)的和除以2
- 此题的关键就是如何寻找分割线的位置
- 具体细节在代码中
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
| class Solution { public double findMedianSortedArrays(int[] nums1, int[] nums2) { if (nums1.length > nums2.length) { int[] tmp = nums2; nums2 = nums1; nums1 = tmp; } int m = nums1.length; int n = nums2.length;
int totalLeft = (m + n + 1) / 2;
int left = 0; int right = m; while (left < right) { int i = left + (right - left + 1) / 2; int j = totalLeft - i; if (nums1[i - 1] > nums2[j]) { right = i - 1; } else { left = i; } } int i = left; int j = totalLeft - i;
int nums1LeftMax = i == 0 ? Integer.MIN_VALUE : nums1[i - 1]; int nums1RightMin = i == m ? Integer.MAX_VALUE : nums1[i];
int nums2LeftMax = j == 0 ? Integer.MIN_VALUE : nums2[j - 1]; int nums2RightMin = j == n ? Integer.MAX_VALUE : nums2[j];
if ((m + n) % 2 == 1) { return Math.max(nums1LeftMax, nums2LeftMax); } else { return (double) (Math.max(nums1LeftMax, nums2LeftMax) + Math.min(nums1RightMin, nums2RightMin)) / 2; } } }
|
来源:力扣(LeetCode)
链接:4. 寻找两个正序数组的中位数 - 力扣(LeetCode)