//

字符串可以用 缩写 进行表示,缩写 的方法是将任意数量的 不相邻 的子字符串替换为相应子串的长度。例如,字符串 "substitution" 可以缩写为(不止这几种方法):

// // // //

下列是不合法的缩写:

// // // //

给你一个字符串单词 word 和一个缩写 abbr ,判断这个缩写是否可以是给定单词的缩写。

// //

子字符串是字符串中连续的非空字符序列。

// //

 

// //

示例 1:

// //
//输入:word = "internationalization", abbr = "i12iz4n"
//输出:true
//解释:单词 "internationalization" 可以缩写为 "i12iz4n" ("i nternational iz atio n") 。
//
// //

示例 2:

// //
//输入:word = "apple", abbr = "a2e"
//输出:false
//解释:单词 "apple" 无法缩写为 "a2e" 。
//
// //

 

// //

提示:

// // //
Related Topics
  • 双指针
  • 字符串

  • 👍 39
  • 👎 0
  • package leetcode.editor.cn; /** * Classname ${NAME} * Description 408:有效单词缩写 * Date ${DATE} ${TIME} * author ${USER} */ public class ValidWordAbbreviation { public static void main(String[] args) { Solution solution = new ValidWordAbbreviation().new Solution(); // TO TEST //solution.validWordAbbreviation("internationalization","i12iz4n"); solution.validWordAbbreviation("internationalization", "i5a11o1"); } //leetcode submit region begin(Prohibit modification and deletion) class Solution { public boolean validWordAbbreviation(String word, String abbr) { int index = 0; for (int i = 0; i < abbr.length(); i++) { if (Character.isDigit(abbr.charAt(i))) { int num = abbr.charAt(i) - '0'; if (num == 0) { return false; } i++; while (i < abbr.length() && Character.isDigit(abbr.charAt(i))) { num = num * 10 + (abbr.charAt(i) - '0'); i++; } index += num - 1; i--; } else if (index >= word.length() || abbr.charAt(i) != word.charAt(index)) { return false; } index++; } return index == word.length(); } } //leetcode submit region end(Prohibit modification and deletion) }