포스트

Merge Sorted Array

LeetCode 88. Merge Sorted Array

원문

You are given two integer arrays nums1 and nums2, sorted in non-decreasing order, and two integers m and n, representing the number of elements in nums1 and nums2 respectively.

Merge nums1 and nums2 into a single array sorted in non-decreasing order.

The final sorted array should not be returned by the function, but instead be stored inside the array nums1. To accomodate this, nums1 has a length of m + n, where the first m elements denote the elements that should be merged, and the last n elements are set to 0 and should be ignored. nums2 has a length of n.

풀이

Python

nums1m번째 인덱스부터의 원소를 num2로 바꾼 후 정렬한다.

코드

1
2
3
4
class Solution:
    def merge(self, nums1: List[int], m: int, nums2: List[int], n: int) -> None:
        nums1[m:] = nums2
        nums1.sort()

Java

Discussion 탭에 어떤 유저가 업로드한 움짤의 도움을 받았다.

우선 세 변수를 선언한다. 각각의 초기값은 m - 1, n - 1, m + n - 1이다.
m - 1을 초기값으로 가지는 변수 inums1에서 살펴볼 원소의 위치를 나타내고, n - 1nums2(j), m + n - 1(k)은 둘을 합친 경우이다.
j0보다 작아지기 전까지 다음을 반복한다.

  1. i가 0 이상이고 nums1[i]nums2[j]보다 크면 nums1[k]nums[1]로 갱신한다. 그 다음 ki에서 1씩 뺀다.
  2. 그 외의 경우 nums1[k]nums2[j]로 갱신한다. 그 다음 kj에서 1씩 뺀다.

코드

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
class Solution {
    public void merge(int[] nums1, int m, int[] nums2, int n) {
        int i = m - 1;
        int j = n - 1;
        int k = m + n - 1;

        while (j >= 0) {
            if (i >= 0 && nums1[i] > nums2[j]) {
                nums1[k--] = nums1[i--];
            } else {
                nums1[k--] = nums2[j--];
            }
        }
    }
}
이 기사는 저작권자의 CC BY 4.0 라이센스를 따릅니다.