17. 电话号码的字母组合
程序员文章站
2022-04-16 23:53:44
...
这个用回溯法,树的结构是排列树。
节点生枝的方式就是添加下一位数字对应的字母。
class Solution:
def letterCombinations(self, digits):
"""
:type digits: str
:rtype: List[str]
"""
phone = {'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']}
# combination 记录临时的组合
# next_digits 记录的剩下的数字
def backtrack(combination, next_digits):
# 得到可行解
if len(next_digits) == 0:
# the combination is done
output.append(combination)
# 继续搜索
else:
# 从剩下的数字对应的字母里让组合里添加
for letter in phone[next_digits[0]]:
# append the current letter to the combination
# and proceed to the next digits
backtrack(combination + letter, next_digits[1:])
output = []
if digits:
backtrack("", digits)
return output