题目

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

'A' -> 1
'B' -> 2
...
'Z' -> 26
Given an encoded message containing digits, determine the total number of ways to decode it.

For example,
Given encoded message "12", it could be decoded as "AB" (1 2) or "L" (12).

The number of ways decoding "12" is 2.

思路和以前做的爬楼梯的题目类似;只是多了一些限制条件。实现代码如下:

/*
思路,采用动态规划的方法。
例如,当我们知道了n-2长度的字符串能够解释的数目以及n-1长度的字符串能够解释的数目时,我们可以判读如下两个条件:
1)若第n个字符在1到9之间,则n长度的字符串能够解释的数目包含n-1长度字符串能够解释的数目。
2)若第n-1个字符与第n个字符可以解释为一个字母时,则n长度的字符串能够解释的数目包含n-2长度字符串能够解释的数目。
*/
int char2num(char ch){
    return ch-'0';
}
int numDecodings(char* s) {
    if(s==NULL||strlen(s)<=0){
        return 0;
    }
    int len=strlen(s);
    if(len==1){
        return (s[0]!='0')?1:0;
    }
    else if(len==2){//求出字符长度为2的译码方法。 
        return ((s[0]!='0'&&s[1]!='0')?1:0)+((s[0]!='0'&&(char2num(s[0])*10+char2num(s[1])<=26))?1:0);
    }
    //用来保存结果 
    int *res=(int *)malloc(len*sizeof(int));
    if(res==NULL){
        exit(EXIT_FAILURE);
    } 
    memset(res,0,len*sizeof(int));
    res[0]= (s[0]!='0')?1:0;
    res[1]=((s[0]!='0'&&s[1]!='0')?1:0)+((s[0]!='0'&&(char2num(s[0])*10+char2num(s[1])<=26))?1:0);
    for(int i=2;i<len;i++){
        if(s[i]!='0'){//1)若第n个字符在1到9之间,则n长度的字符串能够解释的数目包含n-1长度字符串能够解释的数目。
            res[i]+=res[i-1];
        }
        //2)若第n-1个字符与第n个字符可以解释为一个字母时,则n长度的字符串能够解释的数目包含n-2长度字符串能够解释的数目。
        if(s[i-1]!='0'&&char2num(s[i-1])*10+char2num(s[i])<=26){//
            res[i]+=res[i-2];
        }
    }
    return res[len-1];

}
Logo

开放原子开发者工作坊旨在鼓励更多人参与开源活动,与志同道合的开发者们相互交流开发经验、分享开发心得、获取前沿技术趋势。工作坊有多种形式的开发者活动,如meetup、训练营等,主打技术交流,干货满满,真诚地邀请各位开发者共同参与!

更多推荐