在文章撰写中,经常需要统计文本的段落数,单词数,字符数和标点符号数。清编写C语言程序统计英文文本的段落数,单词数,字符数和标点符号数,并输出统计结果
时间: 2023-10-23 15:20:48 浏览: 209
C语言程序设计-输入一行字符,分别统计出英文大小写字母、空格、数字和其他字符的个数
5星 · 资源好评率100%
好的,我可以帮你编写这个程序。以下是代码:
```c
#include <stdio.h>
#include <ctype.h>
#define IN 1
#define OUT 0
int main() {
int c, nl, nw, nc, state;
nl = nw = nc = 0;
state = OUT;
printf("请输入文本,以Ctrl+Z结束:\n");
while ((c = getchar()) != EOF) {
++nc;
if (c == '\n') {
++nl;
}
if (isspace(c)) {
state = OUT;
}
else if (state == OUT) {
state = IN;
++nw;
}
}
printf("段落数:%d\n", nl);
printf("单词数:%d\n", nw);
printf("字符数:%d\n", nc);
printf("标点符号数:%d\n", nc - nw - nl + 1);
return 0;
}
```
程序中使用了三个计数器变量:nl(记录换行符数),nw(记录单词数),nc(记录字符数)。还定义了状态变量state,用于判断单词的开始和结束。
程序中使用了ctype.h头文件中的isspace()函数来判断字符是否为空格、制表符或换行符。同时,通过nc - nw - nl + 1计算标点符号数,其中nc为总字符数,nw为单词数,nl为换行符数,+1是因为最后一个单词后面没有空格。
你可以输入文本,程序会统计文本的段落数、单词数、字符数和标点符号数,并输出结果。
阅读全文