LeetCode题目记录---电话号码的字母组合(9)

LeetCode题目记录

  • 第17题:电话号码的字母组合
    • 1.题目链接
    • 2.题目内容
    • 3.解题思路
    • 4.代码实现

第17题:电话号码的字母组合

1.题目链接

[https://leetcode-cn.com/problems/letter-combinations-of-a-phone-number/]

2.题目内容

给定一个仅包含数字 2-9 的字符串,返回所有它能表示的字母组合。

给出数字到字母的映射如下(与电话按键相同)。注意 1 不对应任何字母。
LeetCode题目记录---电话号码的字母组合(9)_第1张图片

示例:

输入:“23”
输出:[“ad”, “ae”, “af”, “bd”, “be”, “bf”, “cd”, “ce”, “cf”].
说明:
尽管上面的答案是按字典序排列的,但是你可以任意选择答案输出的顺序。

3.解题思路

本题对数字所对应的字母进行排序组合
(1)首先想办法实现"23"对应字母的排列组合

a = "23"
c = list(a)
n = len(c)
num = ["0"]*3*3
num1 = list(dict[c[0]])
num2 = list(dict[c[1]])

for x in range(len(num1)):
    for j in range(len(num2)):
        num[x*3+j] = num1[x] + num2[j]
print(num)

(2)找到共性,建立list, res用于存放生成的新排序,
(3)考虑c只有一个数字的情况:先将c中第一个数字对应的字母与空值进行排列组合,放到res中,(4)将res赋给res1,此时res1就是(1)中的num1,然后选择第二个数作为num2,通过组合,将组合情况放到res中,将res赋给res1,然后再进行res1与第三个数字组合……
这种思路太过复杂,正常笔试调试起来很浪费时间,很麻烦,但是思路可以看看

4.代码实现

# 自己解法  采用三重循环解题
class Solution:
    def letterCombinations(self, digits: str) -> List[str]:
        if len(digits) == 0: return []
        c = list(digits)  
        n = len(c)
        dict ={"2":"abc","3":"def","4":"ghi","5":"jkl","6":"mno","7":"pqrs","8":"tuv","9":"wxyz"}
        res1 = [""]
        for i in range(n):
            numb = list(dict[c[i]])
            res = [""] * len(res1) * len(numb)
            for x in range(len(res1)):
                for j in range(len(numb)):
                    res[x * len(numb) + j] = res1[x] + numb[j]
            res1 = res
        return res1

# 稍微简化一下
class Solution:
    def letterCombinations(self, digits: str) -> List[str]:
        if len(digits) == 0: return []
        c = list(digits)  
        n = len(c)
        dict ={"2":"abc","3":"def","4":"ghi","5":"jkl","6":"mno","7":"pqrs","8":"tuv","9":"wxyz"}
        res1 = list(dict[c[0]])
        res = []
        for i in range(1,n,1):
            num = list(dict[c[i]])
            for x in range(len(res1)):
                for j in range(len(num)):
                    res.append(res1[x] + num[j])
            res1 = res
            res = []
        return res1
        
#(乙)
正规军做的方法:用函数嵌套函数
class Solution:
    def letterCombinations(self, digits: str) -> List[str]:
        dict = {"2": "abc", "3": "def", "4": "ghi","5": "jkl", 
                "6": "mno", "7": "pqrs", "8": "tuv", "9": "wxyz"}
        if len(digits) == 0: return []
        if len(digits) == 1: return list(dict[digits])
        result  = self.letterCombinations(digits[1:])  # 将第三层循环嵌套成函数,思路一致,代码更简洁
        res = []
        for i in result:
            for j in list(dict[digits[0]]):
                res.append(j+i)
        return res

你可能感兴趣的:(Leetcode刷题)