给你两个按 非递减顺序 排列的整数数组 nums1 和 nums2,另有两个整数 m 和 n ,分别表示 nums1 和 nums2 中的元素数目。

请你 合并 nums2 到 nums1 中,使合并后的数组同样按 非递减顺序 排列。

注意:最终,合并后数组不应由函数返回,而是存储在数组 nums1 中。为了应对这种情况,nums1 的初始长度为 m + n,其中前 m 个元素表示应合并的元素,后 n 个元素为 0 ,应忽略。nums2 的长度为 n 。

思路

  1. 从后往前添加元素
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
var merge = function (nums1, m, nums2, n) {
let curIndex = m + n - 1
let curIndex1 = m - 1
let curIndex2 = n - 1
while (curIndex2 >= 0) {
if (curIndex1 >= 0 && nums1[curIndex1] >= nums2[curIndex2]) {
nums1[curIndex] = nums1[curIndex1]
--curIndex1
} else {
nums1[curIndex] = nums2[curIndex2]
--curIndex2
}
--curIndex
}
}