C语言 输入一行字符,用指针使用fgets函数分别统计出其中英文字母、空格、数字和其他字符的个数
时间: 2024-05-02 10:21:29 浏览: 63
```
#include <stdio.h>
#include <ctype.h>
int main()
{
char str[100];
int letters = 0, spaces = 0, digits = 0, others = 0;
printf("请输入一行字符:");
fgets(str, 100, stdin);
char *p = str;
while (*p != '\0')
{
if (isalpha(*p)) // 判断是否为字母
letters++;
else if (isspace(*p)) // 判断是否为空格
spaces++;
else if (isdigit(*p)) // 判断是否为数字
digits++;
else
others++;
p++;
}
printf("英文字母个数:%d\n空格个数:%d\n数字个数:%d\n其他字符个数:%d\n", letters, spaces, digits, others);
return 0;
}
```
相关问题
用C语言编写输入一行字符,分别统计出其中英文字母、数字和其它字符的个数,采用指针操作完成上述工作
好的,下面是C语言代码:
```c
#include <stdio.h>
#include <ctype.h>
void count_chars(char *str, int *letters, int *digits, int *others) {
while (*str != '\0') {
if (isalpha(*str))
(*letters)++;
else if (isdigit(*str))
(*digits)++;
else
(*others)++;
str++;
}
}
int main() {
char str[100];
int letters = 0, digits = 0, others = 0;
printf("请输入一行字符:");
fgets(str, 100, stdin);
count_chars(str, &letters, &digits, &others);
printf("字母个数:%d\n数字个数:%d\n其他字符个数:%d\n", letters, digits, others);
return 0;
}
```
在函数`count_chars`中,使用指针来修改`letters`、`digits`和`others`的值,最终在`main`函数中输出它们的值。注意使用`fgets`函数来读取输入的一行字符,而不是`scanf`,因为`scanf`会在遇到空格或换行符时停止读取。
用C语言编写一个函数,由实参传来一个字符串,统计此字符串中字母、数字、空格和其他字符的个数,在主函数中输入字符串并在主函数中输出统计结果。 输入 任意一个字符串(长度小于80)。 输出 统计其中的英文字母、数字、空格以及其他字符的个数。
以下是C语言代码实现:
```c
#include <stdio.h>
#include <ctype.h>
void countChars(const char *str, int *letters, int *digits, int *spaces, int *others) {
while (*str) {
if (isalpha(*str)) {
(*letters)++;
} else if (isdigit(*str)) {
(*digits)++;
} else if (isspace(*str)) {
(*spaces)++;
} else {
(*others)++;
}
str++;
}
}
int main() {
char str[80];
int letters = 0, digits = 0, spaces = 0, others = 0;
printf("请输入一个字符串:");
gets(str); // 读取输入字符串
countChars(str, &letters, &digits, &spaces, &others);
printf("字母个数:%d\n", letters);
printf("数字个数:%d\n", digits);
printf("空格个数:%d\n", spaces);
printf("其他字符个数:%d\n", others);
return 0;
}
```
在该程序中,`countChars`函数接收一个指向字符串的指针和四个整型指针,分别用于记录字母、数字、空格和其他字符的个数。在函数中,使用`isalpha`、`isdigit`和`isspace`等标准库函数判断字符属于哪一类,然后逐个统计各类字符的个数。
在`main`函数中,先读取用户输入的字符串,然后调用`countChars`函数统计各类字符的个数,最后输出统计结果。
需要注意的是,该程序中使用了`gets`函数读取输入字符串,但是该函数存在安全漏洞,不建议在实际生产代码中使用。建议使用更加安全的`fgets`函数代替。
阅读全文