題目描述:給定一個僅包含數字 2-9 的字符串,返回全部它能表示的字母組合。給出數字到字母的映射以下(與電話按鍵相同)。注意1不對應任何字母。
示例:
輸入:"23"
輸出:["ad", "ae", "af", "bd", "be", "bf", "cd", "ce", "cf"]
說明:
儘管上面的答案是按字典序排列的,可是你能夠任意選擇答案輸出的順序。git
解題思路:遞歸實現數組
代碼以下:app
class Solution: def letterCombinations(self, digits: str) -> List[str]: # 建立字母對應的字符列表的字典 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'], } # 存儲結果的數組 ret_str = [] if len(digits) == 0: return [] # 遞歸出口,當遞歸到最後一個數的時候result拿到結果進行for循環遍歷 if len(digits) == 1: return dic[int(digits[0])] # 遞歸調用 result = self.letterCombinations(digits[1:]) # result是一個數組列表,遍歷後字符串操做,加入列表 for r in result: for j in dic[int(digits[0])]: ret_str.append(j + r) return ret_str
時間與空間複雜度:
spa