[Leet Code] 17. Letter Combinations of a Phone Number
- 이번 포스팅에서는 Leet Code 17번 Letter Combinations of a Phone Number 문제를 다룬다.
- 문제는 상단의 그림을 클릭하면 볼 수 있습니다.
Problem
- Given a string containing digits from 2-9 inclusive, return all possible letter combinations that the number could represent.
- Return the answer in any order.
- A mapping of digit to letters (just like on the telephone buttons) is given below. Note that 1 does not map to any letters.
Example 1:
Input: digits = "23"
Output: ["ad","ae","af","bd","be","bf","cd","ce","cf"]
Constraints:
0 <= digits.length <= 4
digits[i] is a digit in the range ['2', '9'].
Solution :
class Solution:
def letterCombinations(self, digits: str) -> List[str]:
output = []
dic = {'2': ['a', 'b', 'c'],
'3': ['d', 'e', 'f'],
'4': ['g', 'h', 'i'],
'5': ['j', 'k', 'l'],
'6': ['m', 'n', 'o'],
'7': ['p', 'q', 'r', 's'],
'8': ['t', 'u', 'v'],
'9': ['w', 'x', 'y', 'z']}
def back_track(atom, left_digits):
if not len(left_digits):
nonlocal output
output.append(atom)
return
now_digit = left_digits[0]
for alp in dic[now_digit]:
back_track(atom + alp, left_digits[1:])
if digits:
back_track('', digits)
return output
- 단순 브루트포스로 해결할 수 있는 문제였다.
- digits의 최대 길이가 4이므로, 깊이가 4까지 내려가는 재귀 형태의 완전탐색으로 모든 조건을 확인하였다.
댓글남기기