19.用c语言编写程序,输入一篇文章(小于1000个字符),该文章以半角句号结束,统计单词的个数,单词是连续的大小写字母组成。
时间: 2023-05-12 10:02:38 浏览: 138
以下是用 C 语言编写的程序,可以输入一篇文章并统计单词的个数:
```c
#include <stdio.h>
#include <ctype.h>
int main() {
char text[1000];
int word_count = 0, i = 0;
printf("请输入一篇文章(以半角句号结束):\n");
fgets(text, 1000, stdin);
while (text[i] != '.') {
if (isalpha(text[i])) {
// 如果当前字符是字母,则继续往后找,直到找到单词的结尾
while (isalpha(text[i])) {
i++;
}
word_count++;
} else {
// 如果当前字符不是字母,则跳过
i++;
}
}
printf("文章中单词的个数为:%d\n", word_count);
return 0;
}
```
注意:这个程序只能统计由大小写字母组成的单词,如果文章中还包含数字、标点符号等其它字符,需要进行相应的处理。
相关问题
c语言,输入一篇文章(小于1000个字符),该文章以半角句号结束,统计单词的个数,单词是连续的大小写字母组成。
#include <stdio.h>
#include <ctype.h>
int main() {
char text[1000];
int count = 0;
printf("请输入文章(小于1000个字符,以半角句号结束):\n");
fgets(text, 1000, stdin);
for (int i = 0; text[i] != '.'; i++) {
if (isalpha(text[i])) { // 判断是否为字母
while (isalpha(text[i])) {
i++; // 跳过连续的字母
}
count++; // 统计单词数
}
}
printf("文章共有%d个单词。\n", count);
return 0;
}
阅读全文