最后一个单词的长度
程序员文章站
2024-03-14 22:00:35
...
给定一个仅包含大小写字母和空格 ' ' 的字符串 s,返回其最后一个单词的长度。如果字符串从左向右滚动显示,那么最后一个单词就是最后出现的单词。
如果不存在最后一个单词,请返回 0 。
说明:一个单词是指仅由字母组成、不包含任何空格字符的 最大子字符串
class Solution {
public:
int lengthOfLastWord(std::string s) {
if (s.empty())
return 0;
int count = 0;
int i = s.size() - 1;
for (; i >= 0 && ' ' == s[i]; --i); // 跳过前面的空格
if (i == -1) //只有空格 没有字母的情况
{
return 0;
}
for (; i >= 0 && ' ' != s[i]; --i, ++count); 只有空格 没有字母的情况
return count;
}
};
int main() {
Solution s;
string str1 = "a";
string str2 = " ";
string str3 = " hello world";
int out1 = s.lengthOfLastWord(str1);
int out2 = s.lengthOfLastWord(str2);
int out3 = s.lengthOfLastWord(str3);
std::cout << "output1 : " << out1 << std::endl;
std::cout << "output2 : " << out2 << std::endl;
std::cout << "output3 : " << out3 << std::endl;
return 0;
}
下一篇: 51nod 1105 第K大的数