Search

Merge Strings Alternately

문제 설명 : 제공된 두 문자열을 순차적으로 병합한 문자열을 반환
풀이 방법
index를 계속 증가하면서, 각 문자열의 길이보다 작을때만 문자열 추가
시간복잡도 : O(N)O(N)
성공 코드
class Solution: def mergeAlternately(self, word1: str, word2: str) -> str: result = "" index = 0 while index < max(len(word1), len(word2)): result += word1[index] if index < len(word1) else "" result += word2[index] if index < len(word2) else "" index += 1 return result
Python
복사