Given two sorted integer arrays nums1 and nums2, merge nums2 into nums1 as one sorted array.
Note:
You may assume that nums1 has enough space (size that is greater or equal to m + n) to hold additional elements from nums2. The number of elements initialized in nums1 and nums2 are m and n respectively.
本題是要把兩個有序的數組合並成一個有序的數組,並且不允許開辟新空間,合並後的數組是原來的那一個數組。常見的誤區是從前往後,比較然後存放,再然後看看哪一個數組有剩余,把剩余的繼續存放。這樣會造成改變,因為結果存放在原來的一個數組裡面。
java錯誤版本:
public class Solution {
public void merge(int[] nums1, int m, int[] nums2, int n) {
if(m==0||n==0){
return;
}
int i=0,j=0,k=0;
while(i<=m&&j<=n){
if(nums1[i]>nums2[j]){
nums1[k++]=nums2[j++];
}
else{
nums1[k++]=nums1[i++];
}
}
while(i<=m){
nums1[k++]=nums1[i++];
}
while(j<=n){
nums1[k++]=nums2[j++];
}
}
}
正確的做法應該是從後往前,找較大的數依次存放。
public class Solution {
public void merge(int[] nums1, int m, int[] nums2, int n) {
if(m==0||n==0) return;
int i = m+n-1;
int index1 = m-1;
int index2 = n-1;
//從後往前把兩個指針處的數組值比較,將大的放到nums1[]後面。
while(index1>=0 && index2>=0){
if(nums1[index1]<=nums2[index2]){
nums1[i--]=nums2[index2--];
}
else nums1[i--]=nums1[index1--];
}
//將剩余的nums2[]中的元素放到nums1[]前面,nums1[]不用處理,因為自然就在前面
while(index2>=0) {
nums1[i--]=nums2[index2--];
}
}
}