赞
踩
给你一份『词汇表』(字符串数组) words 和一张『字母表』(字符串) chars。
假如你可以用 chars 中的『字母』(字符)拼写出 words 中的某个『单词』(字符串),那么我们就认为你掌握了这个单词。
注意:每次拼写时,chars 中的每个字母都只能用一次。
返回词汇表 words 中你掌握的所有单词的长度之和。
示例 1:
输入:words = [“cat”,“bt”,“hat”,“tree”], chars = “atach”
输出:6
解释:可以形成字符串 “cat” 和 “hat”,所以答案是 3 + 3 = 6。
示例 2:
输入:words = [“hello”,“world”,“leetcode”], chars = “welldonehoneyr”
输出:10
解释:可以形成字符串 “hello” 和 “world”,所以答案是 5 + 5 = 10。
提示:
这是一类经典题型。遇到字符串仅包含小写(或者大写)英文字母的题,都可以试着考虑构造长度为 26 的数组。这样,数组每个位置分别代表一个字母,统计出字母出现的次数,方便后面问题的解决。
本题中,既要统计“字母表”中字母出现的次数,也要统计单词中字母出现的次数。如果字母表中字母出现的次数大于等于单词中每种字母出现的次数,那么这个单词就可以由字母表拼写出来。
以字母表 “atach” 和 词汇 “cat” 为例,整个过程图示如下:
由图可知,词汇 “cat” 可以由字母表拼出,则将 “cat” 的长度加到结果中。
class Solution { public int countCharacters(String[] words, String chars) { int[] charCount = count(chars);// 统计字母表中的字母 int result = 0;// 拼写的结果 for(int i = 0; i < words.length; i++){ int[] wordCount = count(words[i]); if(contains(charCount, wordCount)){ result += words[i].length(); } } return result; } // 检查字母表中字母出现的次数是否大于等于词汇表中单词的字母出现的次数 public boolean contains(int[] charCount, int[] wordCount){ for(int i = 0; i < 26; i++){ if(charCount[i] < wordCount[i]){ return false; } } return true; } // 统计一个字符串中 26 个字母出现的次数 public int[] count(String s){ int[] countRes = new int[26]; for(int i = 0; i < s.length(); i++){ countRes[(int)(s.charAt(i) - 'a')] += 1; } return countRes; } }
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。