1. 程式人生 > >LeetCode 17. 電話號碼的字母組合 Letter Combinations of a Phone Number (C語言)

LeetCode 17. 電話號碼的字母組合 Letter Combinations of a Phone Number (C語言)

題目描述:

給定一個僅包含數字 2-9 的字串,返回所有它能表示的字母組合。
給出數字到字母的對映如下(與電話按鍵相同)。注意 1 不對應任何字母。

示例:

輸入:“23”
輸出:[“ad”, “ae”, “af”, “bd”, “be”, “bf”, “cd”, “ce”, “cf”].

說明:

儘管上面的答案是按字典序排列的,但是你可以任意選擇答案輸出的順序。

題目解答:

方法1:回溯演算法

先儲存每個數字對應的字串,然後利用遞迴 + 迴圈進行遍歷儲存。before表示前邊數字組成的字串,start表示遍歷到第幾個數字了;遍歷當前數字對應的字元,將其放入before

中,進入下一個數字,直到遍歷完所有數字start = len,儲存結果。執行時間0ms,程式碼如下。

/**
 * Return an array of size *returnSize.
 * Note: The returned array must be malloced, assume caller calls free().
 */
void save(char* digits, char** map, char* before, int len, int start, char*** result, int* size) {
    if(start == len) {
        (
*size)++; result[0] = (char**)realloc(result[0], *size * sizeof(char*)); result[0][*size - 1] = (char*)malloc((len + 1) * sizeof(char)); memcpy(result[0][*size - 1], before, len * sizeof(char)); result[0][*size - 1][len] = '\0'; return; } char* temp = map[digits[
start] - '1']; while(*temp) { before[start] = *temp; save(digits, map, before, len, 1 + start, result, size); temp++; } } char** letterCombinations(char* digits, int* returnSize) { int len = strlen(digits); if(len == 0) return NULL; char* map[9] = {"", "abc", "def", "ghi", "jkl", "mno", "pqrs", "tuv", "wxyz"}; char** result = NULL; char* before = (char*)malloc(len * sizeof(char)); save(digits, map, before, len, 0, &result, returnSize); return result; }