码迷,mamicode.com
首页 > 其他好文 > 详细

[LeetCode] 91. Decode Ways

时间:2020-05-23 09:55:43      阅读:57      评论:0      收藏:0      [点我收藏+]

标签:empty   过程   ota   eterm   odi   fir   tput   div   amp   

A message containing letters from A-Z is being encoded to numbers using the following mapping:

‘A‘ -> 1
‘B‘ -> 2
...
‘Z‘ -> 26

Given a non-empty string containing only digits, determine the total number of ways to decode it.

Example 1:

Input: "12"
Output: 2
Explanation: It could be decoded as "AB" (1 2) or "L" (12).

Example 2:

Input: "226"
Output: 3
Explanation: It could be decoded as "BZ" (2 26), "VF" (22 6), or "BBF" (2 2 6).

解码方法。题意是给定一个只包含数字的非空字符串,请计算解码方法的总数。

思路是动态规划。这个题dp[i]的定义是前i个数字能产生的解码方法的总数。因为解码是从数字到字母,所以有效的数字就只能在1到26之间,所以

  • 如果input一开始为0的话,需要直接返回0,无法解码;
  • 中间过程中,在遍历到位置i的时候,需要看(i - 1, i)和(i - 2, i)是否能组成一个有效的数字
    • 如果(i - 1, i)在1 - 9之间,则说明当前位置上的数字可以组成一个有效的一位数
    • 如果(i - 2, i)在10 - 26之间,则说明当前位置上的数字可以和前面一个数字组成一个有效的两位数

时间O(n)

空间O(n)

Java实现

 1 class Solution {
 2     public int numDecodings(String s) {
 3         // corner case
 4         if (s == null || s.length() == 0) {
 5             return 0;
 6         }
 7 
 8         // normal case
 9         int n = s.length();
10         int[] dp = new int[n + 1];
11         dp[0] = 1;
12         dp[1] = s.charAt(0) != ‘0‘ ? 1 : 0;
13         for (int i = 2; i <= n; i++) {
14             int first = Integer.valueOf(s.substring(i - 1, i));
15             int second = Integer.valueOf(s.substring(i - 2, i));
16             if (first >= 1 && first <= 9) {
17                 dp[i] += dp[i - 1];
18             }
19             if (second >= 10 && second <= 26) {
20                 dp[i] += dp[i - 2];
21             }
22         }
23         return dp[n];
24     }
25 }

 

LeetCode 题目总结

[LeetCode] 91. Decode Ways

标签:empty   过程   ota   eterm   odi   fir   tput   div   amp   

原文地址:https://www.cnblogs.com/cnoodle/p/12940834.html

(0)
(0)
   
举报
评论 一句话评论(0
登录后才能评论!
© 2014 mamicode.com 版权所有  联系我们:gaon5@hotmail.com
迷上了代码!