Lintcode.Check Word Abbreviation

Easy

Given a non-empty string word and an abbreviation abbr, return whether the string matches with the given abbreviation.

A string such as “word” contains only the following valid abbreviations:

["word", "1ord", "w1rd", "wo1d", "wor1", "2rd", "w2d", "wo2", "1o1d", "1or1", 
"w1r1", "1o2", "2r1", "3d", "w3", "4"]

Notice
Notice that only the above abbreviations are valid abbreviations of the string word. Any other string is not a valid abbreviation of word.

Example
Example 1:

Given s = "internationalization", abbr = "i12iz4n":
Return true.

Example 2:

Given s = "apple", abbr = "a2e":
Return false.

一道简单的为了引出follow up的题目, 注意一下大while里面写小while的时候,一定要注意变量的范围。

public class Solution {
    /*
     * @param word: a non-empty string
     * @param abbr: an abbreviation
     * @return: true if string matches with the given abbr or false
     */
    public boolean validWordAbbreviation(String word, String abbr) {
        // write your code here
        char[] s = word.toCharArray();
        char[] t = abbr.toCharArray();
        int i = 0, j = 0;
        while (i < s.length && j < t.length){
            if (Character.isDigit(t[j])){
                if (t[j] == '0'){
                    return false;
                }
                int val = 0;
                while (j < t.length && Character.isDigit(t[j])){
                    val = val * 10 + t[j] - '0';
                    j++;
                }
                i += val;
            } else {
                if (s[i++] != t[j++]){
                    return false;
                }
            }
        }
        return i == s.length && j == t.length;
    }
}
    原文作者:greatfulltime
    原文地址: https://www.jianshu.com/p/5c99a7d477d9
    本文转自网络文章,转载此文章仅为分享知识,如有侵权,请联系博主进行删除。
点赞