2022-1-27 T.2047 句子中的有效单词数
题目描述:
句子仅由小写字母('a' 到 'z')、数字('0' 到 '9')、连字符('-')、标点符号('!'、'.' 和 ',')以及空格(' ')组成。每个句子可以根据空格分解成 一个或者多个 token ,这些 token 之间由一个或者多个空格 ' ' 分隔。 如果一个 token 同时满足下述条件,则认为这个 token 是一个有效单词: 仅由小写字母、连字符和/或标点(不含数字)。 至多一个 连字符 '-' 。如果存在,连字符两侧应当都存在小写字母("a-b" 是一个有效单词,但 "-ab" 和 "ab-" 不是有效单词)。 至多一个 标点符号。如果存在,标点符号应当位于 token 的 末尾 。 这里给出几个有效单词的例子:"a-b."、"afad"、"ba-c"、"a!" 和 "!" 。 给你一个字符串 sentence ,请你找出并返回 sentence 中 有效单词的数目 。
示例:
输入:sentence = "alice and bob are playing stone-game10" 输出:5 解释:句子中的有效单词是 "alice"、"and"、"bob"、"are" 和 "playing" "stone-game10" 不是有效单词,因为它含有数字
思路:
截取出每个单词再逐个进行判断。
代码:
class Solution { public: int countValidWords(string sentence) { int res = 0, length = sentence.size(); for(int i = 0; i < length;){ while(i < length && sentence[i] == ' ') i++; if(i >= length) break; int j = i; while(j < length && sentence[j] != ' ') j++; string word = sentence.substr(i, j); if(isVaild(word)) res++; i = j; } return res; } bool isVaild(string word) { bool flag = false; int length = word.size(); for(int i = 0; i < length; i++){ if(word[i] >= '0' && word[i] <= '9') return false; else if(word[i] == '-'){ if(flag || i == 0 || i == length - 1) return false; if(word[i - 1] < 'a' || word[i - 1] > 'z' || word[i + 1] < 'a' || word[i + 1] > 'z') return false; flag = true; //判断多余一种'-' } else if(word[i] == '!' || word[i] == '.' || word[i] == ','){ if(i != length - 1) return false; } } return true; } };