题目描述
data:image/s3,"s3://crabby-images/f6ff6/f6ff69e7735c19da9817b1365860ddb2689ad133" alt=""
分析
第一个感觉 编码就是对给字符串任意切割 只要 满足 在(1,26)就算一种 这样推到下来无数个情况
例如
“12” 切割成 {1|2} {12 | } 2
"226" 切割成{2,|2,6} {22,| 6} {2,|26} {226|} 这是无效的
data:image/s3,"s3://crabby-images/428f4/428f4c48bbce1e7b967550101e4ed06c315efaf8" alt=""
这有什么规律呀?没看到
每次切割最多2位数 , 如果剩余数的长度大约2 继续切割 这些数据需要解密
data:image/s3,"s3://crabby-images/acac2/acac295e4f5455318c1fba5491054b08b64a0841" alt=""
data:image/s3,"s3://crabby-images/3d884/3d884d38eee071e21bcea00aeae6cb4f4a7971f0" alt=""
data:image/s3,"s3://crabby-images/a324e/a324e912e54a5faea92d4f5c1775065cf70bf74f" alt=""
每次切割最多2位数 ,但是数值不能超过26, 如果剩余数的长度大约2 继续切割 这些数据需要解密
代码实现
data:image/s3,"s3://crabby-images/6d1b6/6d1b6166570ea062ecccea19ee14b320edc492f4" alt=""
- 第一版本 纯递归时间
func numDecodings(s string) int {
return numDecodingsDp(s, len(s))
}
//从大n开始切 dp才是从o开始的 k代表数组剩余的长度
func numDecodingsDp(s string, k int) int {
if k == 0 {
return 1
//如何表示基本字符 'A' -> 1 'B' -> 2 'Z' -> 26
}
//字母是从1开始的 非法字符
begin := len(s) - k
if s[begin] == 48 {
return 0
}
//10 正确 01 错误
var step int = 0
//移动一步
step = numDecodingsDp(s, k-1)
//移动二步:条件 大于26
if k >= 2 {
//前面2个字符
temp, _ := strconv.Atoi(s[begin : begin+2])
if temp <= 26 {
step += numDecodingsDp(s, k-2)
}
}
fmt.Println(k, begin, s[begin], step)
return step
}
data:image/s3,"s3://crabby-images/e82d2/e82d2f070005e898267eb0a3ddaf9222745a341e" alt=""
第二版本
说明:我理解用存储结构用map存储表示已经计算过的字符串
用vector存储这样技术我根本理解不了
data:image/s3,"s3://crabby-images/9b4eb/9b4eb06df3be93bea1c256426de60f4b0ad71448" alt=""
data:image/s3,"s3://crabby-images/82469/824693117e1b21ada7ade3de383f41aa74eada3e" alt=""
测试
-
“230”
image.png
类似题目
70. 爬楼梯
data:image/s3,"s3://crabby-images/19bc7/19bc7766c009de9b839c49aced28363ebb6813e7" alt=""
网友评论