当前位置:   article > 正文

C++ | Leetcode C++题解之第4题寻找两个正序数组的中位数

C++ | Leetcode C++题解之第4题寻找两个正序数组的中位数

题目:

题解:

  1. class Solution {
  2. public:
  3. int getKthElement(const vector<int>& nums1, const vector<int>& nums2, int k) {
  4. /* 主要思路:要找到第 k (k>1) 小的元素,那么就取 pivot1 = nums1[k/2-1] 和 pivot2 = nums2[k/2-1] 进行比较
  5. * 这里的 "/" 表示整除
  6. * nums1 中小于等于 pivot1 的元素有 nums1[0 .. k/2-2] 共计 k/2-1 个
  7. * nums2 中小于等于 pivot2 的元素有 nums2[0 .. k/2-2] 共计 k/2-1 个
  8. * 取 pivot = min(pivot1, pivot2),两个数组中小于等于 pivot 的元素共计不会超过 (k/2-1) + (k/2-1) <= k-2 个
  9. * 这样 pivot 本身最大也只能是第 k-1 小的元素
  10. * 如果 pivot = pivot1,那么 nums1[0 .. k/2-1] 都不可能是第 k 小的元素。把这些元素全部 "删除",剩下的作为新的 nums1 数组
  11. * 如果 pivot = pivot2,那么 nums2[0 .. k/2-1] 都不可能是第 k 小的元素。把这些元素全部 "删除",剩下的作为新的 nums2 数组
  12. * 由于我们 "删除" 了一些元素(这些元素都比第 k 小的元素要小),因此需要修改 k 的值,减去删除的数的个数
  13. */
  14. int m = nums1.size();
  15. int n = nums2.size();
  16. int index1 = 0, index2 = 0;
  17. while (true) {
  18. // 边界情况
  19. if (index1 == m) {
  20. return nums2[index2 + k - 1];
  21. }
  22. if (index2 == n) {
  23. return nums1[index1 + k - 1];
  24. }
  25. if (k == 1) {
  26. return min(nums1[index1], nums2[index2]);
  27. }
  28. // 正常情况
  29. int newIndex1 = min(index1 + k / 2 - 1, m - 1);
  30. int newIndex2 = min(index2 + k / 2 - 1, n - 1);
  31. int pivot1 = nums1[newIndex1];
  32. int pivot2 = nums2[newIndex2];
  33. if (pivot1 <= pivot2) {
  34. k -= newIndex1 - index1 + 1;
  35. index1 = newIndex1 + 1;
  36. }
  37. else {
  38. k -= newIndex2 - index2 + 1;
  39. index2 = newIndex2 + 1;
  40. }
  41. }
  42. }
  43. double findMedianSortedArrays(vector<int>& nums1, vector<int>& nums2) {
  44. int totalLength = nums1.size() + nums2.size();
  45. if (totalLength % 2 == 1) {
  46. return getKthElement(nums1, nums2, (totalLength + 1) / 2);
  47. }
  48. else {
  49. return (getKthElement(nums1, nums2, totalLength / 2) + getKthElement(nums1, nums2, totalLength / 2 + 1)) / 2.0;
  50. }
  51. }
  52. };

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/凡人多烦事01/article/detail/352270
推荐阅读
相关标签
  

闽ICP备14008679号