描述
一条包含字母 A-Z 的消息通过以下方式进行了编码:
‘A’ -> 1
‘B’ -> 2
…
‘Z’ -> 26
给定一个只包含数字的非空字符串,请计算解码方法的总数。
示例 1:
输入: "12"
输出: 2
解释: 它可以解码为 "AB"(1 2)或者 "L"(12)。
示例 2:
输入: "226"
输出: 3
解释: 它可以解码为 "BZ" (2 26), "VF" (22 6), 或者 "BBF" (2 2 6) 。
Python
DP动态规划,将长字符化成短字符递归,类似于f(x) = f(x-1)+f(x-2)
class Solution:
def numDecodings(self, s: str) -> int:
if len(s)==1:
return 0 if s=='0' else 1
if s[0]=='0':
return 0
dp = [0 for x in range(len(s))]
dp[0] = 1 if s[0]!='0' else 0
dp[1] = 2 if int(s[:2])<=26 and s[0] != '0' and s[1]!='0' else (0 if int(s[:2])>26 and s[1]=='0' else 1)
# 上式等同于下面判断
# if int(s[:2])<=26 and s[0] != '0' and s[1]!='0':
# dp[1] = 2
# elif int(s[:2])>26 and s[1]=='0':
# dp[1] = 0
# else:
# dp[1] = 1
for i in range(2,len(s)):
if s[i] != '0':
dp[i] += dp[i-1]
if int(s[i-1:i+1])<=26 and s[i-1:i+1][0] != '0':
dp[i] += dp[i-2]
return dp[-1]