固定用法的题。
先建一个mapping, map字母和数字;
利用index;
这是以前看过答案的一道题,mapping之后依然不是很熟。
关键点在于那个while loop,假设第一个数字是2,update之后ans里面有(a, b, c). update第二个数字时,保证a,b,c都被update(实现:当长度不等于i的时候,继续update)
public class Solution {
public List<String> letterCombinations(String digits) {
LinkedList<String> ans = new LinkedList<String>();
if(digits == null || digits.length()==0) return ans;
String[] mapping = new String[]{"0", "1", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"};
ans.add("");
for (int i=0; i<digits.length(); i++) {
// take the digit out one by one
int x = Character.getNumericValue(digits.charAt(i));
// make sure that all previous short char been updated.
while(ans.peek().length()==i) {
String t = ans.remove();
for(char s : mapping[x].toCharArray())
ans.add(t+s);
}
}
return ans;
}
}