计算字符串最后一个单词的长度,单词以空格隔开,字符串长度小于5000。(注:字符串末尾不以空格为结尾)
输入一行,代表要计算的字符串,非空,长度小于5000。
输出一个整数,表示输入字符串最后一个单词的长度。
输入:
hello dayday
输出:
8
说明:
最后一个单词为dayday,长度为6
设置strlast数组,最多放5000个元素,gets输入的字符串中有空格也可以直接输入,不用像 scanf 那样要定义多个字符数组。
从字符串最后面开始遍历元素,当碰到空格时跳出循环
#include "stdio.h"
#include "string.h"
int main() {
int len, count = 0;
char strlast[5000];
gets(strlast);
len = strlen(strlast);
for (int j = len - 1; strlast[j] != ' '&& j !=-1; --j)
++count;
printf("%d\n", count);
return 0;
}
#include <iostream>
#include <cstring>
using namespace std;
int main()
{
char s[5001];
// 获取字符串
cin.getline(s, 5001);
int number=0;
int snumber=strlen(s);
// 字符串倒序统计
for(int i=snumber-1;s[i]!=' ';--i)
{
number++;
// 若只有一个单词,需要判断下
if(i==0)
break;
}
cout<<number<<endl;
return 0;
}