64. Merge Sorted Array
2019-06-30  本文已影响2人 
写代码的海怪
题目
https://www.lintcode.com/problem/merge-sorted-array/description?_from=ladder&&fromId=2
实现
- 设置三个指针 A_index,B_index,total_index
- 从后往前判断 A[A_index]和B[B_index]的关系,哪个大就赋值到A[total_index]上
- 最后再单独排空 A和B
代码
class Solution:
    """
    @param: A: sorted integer array A which has m elements, but size of A is m+n
    @param: m: An integer
    @param: B: sorted integer array B which has n elements
    @param: n: An integer
    @return: nothing
    """
    def mergeSortedArray(self, A, m, B, n):
        total_index = m + n - 1
        A_index = m - 1
        B_index = n - 1
        while A_index >= 0 and B_index >= 0:
            if A[A_index] >= B[B_index]:
                A[total_index] = A[A_index]
                A_index -= 1
                total_index -= 1
            if B[B_index] > A[A_index]:
                A[total_index] = B[B_index]
                B_index -= 1
                total_index -= 1
        while A_index >= 0:
            A[total_index] = A[A_index]
            A_index -= 1
            total_index -= 1
        while B_index >= 0:
            A[total_index] = B[B_index]
            B_index -= 1
            total_index -= 1


