OJ lintcode 合并排序数组 II

合并两个排序的整数数组A和B变成一个新的数组。
注意事项
你可以假设A具有足够的空间(A数组的大小大于或等于m+n)去添加B中的元素。
您在真实的面试中是否遇到过这个题?
Yes
样例
给出 A = [1, 2, 3, empty, empty], B = [4, 5]
合并之后 A 将变成 [1,2,3,4,5]

class Solution {
public:
    /**
     * @param A: sorted integer array A which has m elements, 
     *           but size of A is m+n
     * @param B: sorted integer array B which has n elements
     * @return: void
     */
    void mergeSortedArray(int A[], int m, int B[], int n) {
        // write your code here
        int pos = m + n - 1;
        int posA = m - 1;
        int posB = n - 1;
        while (posA >= 0 && posB >= 0) {
            if (A[posA] > B[posB]) {
                A[pos--] = A[posA--];
            } else {
                A[pos--] = B[posB--];
            }
        }
        while (posA >= 0) {
            A[pos--] = A[posA--];
        }
        while (posB >= 0) {
            A[pos--] = B[posB--];
        }
    }
};
    原文作者:zhaozhengcoder
    原文地址: https://www.jianshu.com/p/7475e3cc9377#comments
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞