We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Letter Combinations of a Phone Number

Difficulty: Medium


Problem Description

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.


Key Insights

  • Each digit maps to a set of letters similar to a telephone keypad.
  • The problem can be solved using backtracking to explore all combinations of letters.
  • An empty input should return an empty list.
  • The maximum input length is 4, making it feasible to generate combinations using recursion.

Space and Time Complexity

Time Complexity: O(3^n * 4^m), where n is the number of digits that map to 3 letters and m is the number of digits that map to 4 letters. Space Complexity: O(n), where n is the depth of the recursive call stack.


Solution

To solve the problem, we can use a backtracking approach. We set up a mapping of each digit to its corresponding letters. We then recursively build combinations of letters by iterating over the digits and appending the possible letters to a temporary combination until we reach the length of the input digits. Once a complete combination is formed, we add it to the result list.


Code Solutions

def letterCombinations(digits):
    if not digits:
        return []
    
    # Mapping of digits to letters
    digit_to_letters = {
        '2': 'abc', '3': 'def', '4': 'ghi', '5': 'jkl',
        '6': 'mno', '7': 'pqrs', '8': 'tuv', '9': 'wxyz'
    }
    
    result = []
    
    def backtrack(combination, next_digits):
        # If there are no more digits to check
        if len(next_digits) == 0:
            result.append(combination)
        else:
            # Iterate over all letters which the current digit maps to
            for letter in digit_to_letters[next_digits[0]]:
                # Append the current letter to the combination
                backtrack(combination + letter, next_digits[1:])
    
    backtrack("", digits)
    return result
← Back to All Questions