[LeetCode] #38 外觀數列
阿新 • • 發佈:2021-10-13
[LeetCode] #38 外觀數列
給定一個正整數 n ,輸出外觀數列的第 n 項。
「外觀數列」是一個整數序列,從數字 1 開始,序列中的每一項都是對前一項的描述。
你可以將其視作是由遞迴公式定義的數字字串序列:
countAndSay(1) = "1"
countAndSay(n) 是對 countAndSay(n-1) 的描述,然後轉換成另一個數字字串。
前五項如下:
1. 1
2. 11
3. 21
4. 1211
5. 111221
第一項是數字 1
描述前一項,這個數是 1 即 “ 一 個 1 ”,記作 "11"
描述前一項,這個數是 11 即 “ 二 個 1 ” ,記作 "21"
描述前一項,這個數是 21 即 “ 一 個 2 + 一 個 1 ” ,記作 "1211"
描述前一項,這個數是 1211 即 “ 一 個 1 + 一 個 2 + 二 個 1 ” ,記作 "111221"
輸入:n = 4
輸出:"1211"
解釋:
countAndSay(1) = "1"
countAndSay(2) = 讀 "1" = 一 個 1 = "11"
countAndSay(3) = 讀 "11" = 二 個 1 = "21"
countAndSay(4) = 讀 "21" = 一 個 2 + 一 個 1 = "12" + "11" = "1211"
迭代
class Solution { public String countAndSay(int n) { String res = "1"; for(int i = 1; i < n; i++){ res= getNext(res); } return res; } public String getNext(String str){ int len = str.length(); int count = 1; StringBuilder sb = new StringBuilder(); for(int i = 0; i < len - 1; i++){ char c = str.charAt(i); if(c == str.charAt(i + 1)){ count++; }else{ sb.append(count).append(c); count = 1; } } sb.append(count).append(str.charAt(len - 1)); return sb.toString(); } }
遞迴
class Solution { public String countAndSay(int n) { if (n == 1) return "1"; else { String str = countAndSay(n - 1); StringBuilder sb = new StringBuilder(); int count = 1; int len = str.length(); for(int i = 0; i < len - 1; i++){ char c = str.charAt(i); if(c == str.charAt(i + 1)){ count++; }else{ sb.append(count).append(c); count = 1; } } sb.append(count).append(str.charAt(len - 1)); return sb.toString(); } } }
知識點:無
總結:輔助函式能使結構更清晰