題目鏈接:https://leetcode-cn.com/problems/merge-sorted-array/
題目描述
給定兩個(gè)有序整數(shù)數(shù)組 nums1 和 nums2,將 nums2 合并到 nums1 中寂拆,使得 num1 成為一個(gè)有序數(shù)組菜皂。
說明:
- 初始化 nums1 和 nums2 的元素?cái)?shù)量分別為 m 和 n。
- 你可以假設(shè) nums1 有足夠的空間(空間大小大于或等于 m + n)來保存 nums2 中的元素衩婚。
示例:
輸入:
nums1 = [1,2,3,0,0,0], m = 3
nums2 = [2,5,6], n = 3
輸出: [1,2,2,3,5,6]
解題思路:
從前往后一個(gè)一個(gè)確定位置的話需要進(jìn)行大量的移動(dòng)操作氓癌,可以反其道而行之——從后往前進(jìn)行排序。
Java代碼實(shí)現(xiàn):
class Solution {
public void merge(int[] nums1, int m, int[] nums2, int n) {
int i = m-1;
int j = n-1;
int current = m+n-1;
while(j >= 0) {
if(i<0 || nums2[j] > nums1[i]) {
nums1[current] = nums2[j];
j--;
} else {
nums1[current] = nums1[i];
i--;
}
current--;
}
}
}