안녕하세요, HELLO
오늘은 Leetcode 알고리즘 문제 '8. String to Integer (atoi)'에 대해서 살펴보고자 합니다.
알고리즘 문제, 코드, 해설 그리고 Leetcode에서 제공해준 solution 순서대로 정리하였습니다.
STEP 1. 'String to Integer (atoi)' 알고리즘 문제
STEP 2. 'String to Integer (atoi)' 코드(code)
STEP 3. 'String to Integer (atoi)' 해설
STEP 4. 'String to Integer (atoi)' solution
STEP 1. 'String to Integer (atoi)' 알고리즘 문제
Implement the myAtoi(string s) function, which converts a string to a 32-bit signed integer (similar to C/C++'s atoi function). The algorithm for myAtoi(string s) is as follows:
- Read in and ignore any leading whitespace.
- Check if the next character (if not already at the end of the string) is '-' or '+'. Read this character in if it is either. This determines if the final result is negative or positive respectively. Assume the result is positive if neither is present.
- Read in next the characters until the next non-digit character or the end of the input is reached. The rest of the string is ignored.
- Convert these digits into an integer (i.e. "123" -> 123, "0032" -> 32). If no digits were read, then the integer is 0. Change the sign as necessary (from step 2).
- If the integer is out of the 32-bit signed integer range [-2**31, 2**31 - 1], then clamp the integer so that it remains in the range. Specifically, integers less than -2**31 should be clamped to -2**31, and integers greater than 2**31 - 1 should be clamped to 2**31 - 1.
- Return the integer as the final result.
문자열을 32비트 부호 있는 정수로 변환하는 myAtoi(문자열) 함수를 구현합니다. C/C++의 atoi 함수와 유사하며, myAtoi(문자열)의 알고리즘은 다음과 같습니다.
1. 선행 공백을 무시하고 읽습니다.
2. 다음 문자(아직 문자열 끝에 있지 않은 경우)가 '-' 또는 '+'인지 확인합니다. 이 문자 중 하나일 경우 이를 확인합니다. 최종 결과가 각각 음수인지 양수인지를 결정합니다. 부호가 둘 다 없으면 결과가 양수라고 가정합니다.
3. 숫자가 아닌 문자(글자) 또는 입력의 끝에 도달할 때까지 다음 숫자를 읽습니다. 나머지 문자열은 무시됩니다.
4. 숫자를 정수로 변환합니다(예: "123" -> 123, "0032" -> 32). 읽은 숫자가 없으면 정수는 0으로 변환합니다. 필요에 따라(2단계부터) 기호를 변경합니다.
5. 정수가 32비트 부호 있는 정수 범위 [-2**31, 2**31 - 1]를 벗어나면 정수가 범위에 있도록 고정합니다. 특히 -2*31보다 작은 정수는 -2*31로, 2*31 -1보다 큰 정수는 2**31 -1로 고정해야 합니다.
6. 최종 결과로 정수를 반환합니다.
Note:
- Only the space character ' ' is considered a whitespace character.
- Do not ignore any characters other than the leading whitespace or the rest of the string after the digits.
Constraints:
- 0 <= s.length <= 200
- s consists of English letters (lower-case and upper-case), digits (0-9), ' ', '+', '-', and
STEP 2. 'String to Integer (atoi)' 코드(code)
■ Runtime: 70 ms, faster than 12.95% of Python3 online submissions for String to Integer (atoi).
■ Memory Usage: 13.9 MB, less than 85.43% of Python3 online submissions for String to Integer (atoi).
class Solution:
def myAtoi(self, s: str) -> int:
"""
tyep str: str
rtype: int
"""
'''
1. whitespace
2. a +/- symbol
3. numbers
4. between MAX_INT and MIN_INT constraints
5. random characters
'''
MAX_INT = 2**31 - 1
MIN_INT = -2**31
i = 0
res = 0
negative = 1
# whitespace
while i < len(s) and s[i] == ' ':
i += 1
# +/- symbol
if i < len(s) and s[i] == '-':
i += 1
negative = -1
elif i < len(s) and s[i] == '+':
i += 1
# check number 0-9
checker = set('0123456789') # https://wikidocs.net/16044
while i < len(s) and s[i] in checker:
res = res * 10 + int(s[i])
i += 1
res = res * negative
if res < 0:
return max(res, MIN_INT)
return min(res, MAX_INT)
STEP 3. 'String to Integer (atoi)' 해설
while 문에서 max, min을 체크합니다.
STEP 4. 'String to Integer (atoi)' solution
추가적으로, Leetcode에서 제공해준 solution 코드를 살펴보겠습니다.
■ Runtime: 74 ms, faster than 8.96% of Python3 online submissions for String to Integer (atoi).
■ Memory Usage: 13.8 MB, less than 85.43% of Python3 online submissions forString to Integer (atoi).
class Solution:
def myAtoi(self, s: str) -> int:
"""
tyep str: str
rtype: int
"""
'''
1. whitespace
2. a +/- symbol
3. numbers
4. between MAX_INT and MIN_INT constraints
5. random characters
'''
MAX_INT = 2**31 - 1
MIN_INT = -2**31
i = 0
res = 0
negative = 1
# whitespace
while i < len(s) and s[i] == ' ':
i += 1
# +/- symbol
if i < len(s) and s[i] == '-':
i += 1
negative = -1
elif i < len(s) and s[i] == '+':
i += 1
# check number 0-9
checker = set('0123456789') # https://wikidocs.net/16044
while i < len(s) and s[i] in checker:
if res > int(MAX_INT / 10) or (res == int(MAX_INT / 10) and int(s[i]) > 7):
# check the max/min int of the process
return MAX_INT if negative == 1 else MIN_INT
res = res * 10 + int(s[i])
i += 1
return res * negative
■ 마무리
오늘은 Leetcode 알고리즘 문제 '8. String to Integer (atoi)'에 대해서 알아봤습니다.
좋아요와 댓글 부탁드리며,
오늘 하루도 즐거운 날 되시길 기도하겠습니다 :)
감사합니다.
'PROGRAMMING > LeetCode' 카테고리의 다른 글
[Leetcode] 10. Regular Expression Matching_해설, 풀이, 설명 (0) | 2022.04.18 |
---|---|
[Leetcode] 9. Palindrome Number_해설, 풀이, 설명 (0) | 2022.04.18 |
[Leetcode] 7. Reverse Integer_해설, 풀이, 설명 (0) | 2022.04.06 |
[Leetcode] 6. Zigzag Conversion_해설, 풀이, 설명 (0) | 2022.04.02 |
[Leetcode] 5. Longest Palindromic Substring_해설, 풀이, 설명 (0) | 2022.04.02 |
댓글