c语言中编一函数,统计一个字符串中字母数字空格和其他字符的个数简单点
时间: 2023-11-07 16:10:12 浏览: 114
,能否给出示例代码?
当然可以!以下是一个简单的函数,可以实现统计一个字符串中字母、数字、空格和其他字符的个数:
```
#include <stdio.h>
void countChars(char *str) {
int letters = 0;
int digits = 0;
int spaces = 0;
int others = 0;
while (*str != '\0') {
if (isalpha(*str)) {
letters++;
} else if (isdigit(*str)) {
digits++;
} else if (isspace(*str)) {
spaces++;
} else {
others++;
}
str++;
}
printf("字符串中字母数量:%d\n", letters);
printf("字符串中数字数量:%d\n", digits);
printf("字符串中空格数量:%d\n", spaces);
printf("字符串中其他字符数量:%d\n", others);
}
int main() {
char str[100];
printf("请输入一个字符串:");
fgets(str, sizeof(str), stdin);
countChars(str);
return 0;
}
```
这个函数中,我们利用了`isalpha`、`isdigit`和`isspace`这几个函数来判断字符属于字母、数字还是空格。如果都不是,则认为是其他字符。
阅读全文