실습 설명
합병 정렬 알고리즘 중 사용되는 merge 함수를 작성해 보세요.
merge 함수는 정렬된 두 리스트 list1과 list2를 받아서, 하나의 정렬된 리스트를 리턴합니다.
merge.py
def merge(list1, list2):
# 여기에 코드를 작성하세요
merge_list = []
i = 0
j = 0
# list1과 list2를 돌면서 merge_list에 추가
while i < len(list1) and j < len(list2):
if list1[i] > list2[j]:
merge_list.append(list2[j])
j += 1
else:
merge_list.append(list1[i])
i += 1
if i == len(list1):
merge_list += list2[j:]
elif j == len(list2):
merge_list += list1[i:]
return merge_list
# 테스트 코드
print(merge([1],[]))
print(merge([],[1]))
print(merge([2],[1]))
print(merge([1, 2, 3, 4],[5, 6, 7, 8]))
print(merge([5, 6, 7, 8],[1, 2, 3, 4]))
print(merge([4, 7, 8, 9],[1, 3, 6, 10]))
해결 과정
merge 함수는 정렬된 두 리스트 list1과 list2를 파라미터로 받고, 합쳐진 리스트(merge_list)를 리턴해준다.
merge_list = [] 빈 리스트로 정의해주고
list1과 list2의 원소들을 차례로 비교하여, merge_list에 작은 순서대로 추가한다.
'Algorithm > 알고리즘 패러다임' 카테고리의 다른 글
[Divide and Conquer] partition 함수 구현하기 (0) | 2023.07.13 |
---|---|
[Divide and Conquer] 합병 정렬 구현하기 (0) | 2023.07.13 |
[Divide and Conquer] 1부터 n까지의 합 (0) | 2023.07.13 |
[Brute Force] 런던 폭우 (0) | 2023.07.10 |
[Brute Force] 가까운 매장 찾기 (0) | 2023.07.10 |