Hash Table
String
Backtracking
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 .
A mapping of digits 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"]
Example 2:
Input: digits = ""
Output: []
Example 3:
Input: digits = "2"
Output: ["a","b","c"]
Constraints:
0 <= digits.length <= 4
digits[i]
is a digit in the range ['2', '9']
.
Solutions
Solution 1: Traversal
First, we use an array or hash table to store the letters corresponding to each digit. Then we traverse each digit, combine its corresponding letters with the previous results to get the new results.
The time complexity is $O(4^n)$, and the space complexity is $O(4^n)$. Here, $n$ is the length of the input digits.
Python3 Java C++ Go TypeScript Rust JavaScript C#
class Solution :
def letterCombinations ( self , digits : str ) -> List [ str ]:
if not digits :
return []
d = [ "abc" , "def" , "ghi" , "jkl" , "mno" , "pqrs" , "tuv" , "wxyz" ]
ans = [ "" ]
for i in digits :
s = d [ int ( i ) - 2 ]
ans = [ a + b for a in ans for b in s ]
return ans
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21 class Solution {
public List < String > letterCombinations ( String digits ) {
List < String > ans = new ArrayList <> ();
if ( digits . length () == 0 ) {
return ans ;
}
ans . add ( "" );
String [] d = new String [] { "abc" , "def" , "ghi" , "jkl" , "mno" , "pqrs" , "tuv" , "wxyz" };
for ( char i : digits . toCharArray ()) {
String s = d [ i - '2' ] ;
List < String > t = new ArrayList <> ();
for ( String a : ans ) {
for ( String b : s . split ( "" )) {
t . add ( a + b );
}
}
ans = t ;
}
return ans ;
}
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21 class Solution {
public :
vector < string > letterCombinations ( string digits ) {
if ( digits . empty ()) {
return {};
}
vector < string > d = { "abc" , "def" , "ghi" , "jkl" , "mno" , "pqrs" , "tuv" , "wxyz" };
vector < string > ans = { "" };
for ( auto & i : digits ) {
string s = d [ i - '2' ];
vector < string > t ;
for ( auto & a : ans ) {
for ( auto & b : s ) {
t . push_back ( a + b );
}
}
ans = move ( t );
}
return ans ;
}
};
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19 func letterCombinations ( digits string ) [] string {
ans := [] string {}
if len ( digits ) == 0 {
return ans
}
ans = append ( ans , "" )
d := [] string { "abc" , "def" , "ghi" , "jkl" , "mno" , "pqrs" , "tuv" , "wxyz" }
for _ , i := range digits {
s := d [ i - '2' ]
t := [] string {}
for _ , a := range ans {
for _ , b := range s {
t = append ( t , a + string ( b ))
}
}
ans = t
}
return ans
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18 function letterCombinations ( digits : string ) : string [] {
if ( digits . length === 0 ) {
return [];
}
const ans : string [] = [ '' ];
const d