目录
编辑方法一:指针法
编辑方法二:字符函数法
这道题因为有统计空格个数,就不能用scanf来读入数据了,应该用gets读入数据,因为scanf遇到空格就结束了,而gets空格也能读入
思路:用指针遍历这个字符串,直到遍历到'\0',遍历过程中判断个数,字母应该包含大小写字母,数字应该是从0~9的范围的,因为比如你输入11,计算机不管这是不是两位数的,他看到一个数字就认为这是一个,空格就是' '。一直遍历到'\0'就可以遍历完这个字符串
#include
int main()
{
char string[1000] = {0};
gets(string);
char* ptr = string;//利用指针遍历这个字符串
int letter = 0, figure = 0, space = 0, others = 0;
while (*ptr)
{
if (*ptr >= 'a' && *ptr <= 'z' || *ptr >= 'a' && *ptr <= 'z')
{
letter++;
}
else if (*ptr >= '1' && *ptr <= '9')
{
figure++;
}
else if (*ptr == ' ')
{
space++;
}
else
others++;
ptr++;
}
printf("字母:%d个 数字:%d个 空格:%d个 其他字符:%d个", letter, figure, space, others);
return 0;
}
思路:c语言为我们提供了字符函数,头文件:ctype.h 字符函数常见的有 isalpha(判断是否为字母)、isdigit(判断是否为数字)、isspace(判断是否为空格)、islower(判断是否为小写字母),isupper(判断是否为大写字母)等等,这些函数的共有特点是如果符合则函数返回非0的数值(true),否则返回0(false),利用这个特点这道题就可以很好做了
#include
#include
#include
void statistic(char ptr[],int len)
{
int letter = 0, figure = 0, space = 0, others = 0;
for (int i = 0; i < len; i++)
{
if (isalpha(ptr[i]))
{//判断字符是否为字母的函数
letter++;
}
else if (isdigit(ptr[i]))
{
figure++;
}
else if (isspace(ptr[i]))
{
space++;
}
else
others++;
}
printf("字母:%d个 数字:%d个 空格:%d个 其他字符:%d个", letter, figure, space, others);
}
int main()
{
char string[1000] = {0};
gets(string);
int len = strlen(string);
statistic(string,len);
return 0;
}