输入一行字符,分别统计出其中英文字母、空格

# include <stdio.h>
int main()
{
int n = 0,char c;

c = getchar ();
if ( c != 0)
n++;
printf("%c\n%d\n",c,n);

return 0;
}

这个程序为什么不是输出每个字符的个数呢???
if ( c != 0)
改为 if ( c != '\r')
这个程序很简单啊 程序思想是:字符在A--Z 那么letter就加1 字符在0--9 number就加1 字符是空格space就加1 其余的不管是什么 other就加1 遇到回车符就停止循环 最后就可以分别统计了
1、 char c;
2、 int letter,space,number,other;
3、 letter=space=number=other=0;
这句的意思是:1、C是一个字符变量。2、 letter,space,number,other这4个是整形变量。3、将这4个整形变量初始化,也就是程序开始就给它一个值,现在是都给它们赋值为0,保证后面的统计数据不会因此出错。C语言是可以这样赋值的,如果你要分开赋值的话也是可以的。 lette=0,space=0,number=0,other=0

#include<stdio.h>

int main()

{

char c;

int letters=0,spaces=0,digits=0,others=0;

printf("请输入一串任意的字符:\n");

while((c=getchar())!='\n')

{

if((c>='a'&&c<='z')||(c>='A'&&c<='Z'))

letters++;

else if(c>='0'&&c<='9')

digits++;

else if(c==' ')

spaces++;

else

others++;

}

printf("字母有%d个,数字有%d个,空格有%d个,其他有%d个",letters,digits,spaces,others);

return 0;

}

扩展资料:

while语句若一直满足条件,则会不断的重复下去。但有时,需要停止循环,则可以用下面的三种方式:

一、在while语句中设定条件语句,条件不满足,则循环自动停止。

如:只输出3的倍数的循环;可以设置范围为:0到20。

二、在循环结构中加入流程控制语句,可以使用户退出循环。

1、break流程控制:强制中断该运行区内的语句,跳出该运行区,继续运行区域外的语句。

2、continue流程控制:也是中断循环内的运行操作,并且从头开始运行。

三、利用标识来控制while语句的结束时间。

参考资料来源:

百度百科——while


//参考代码如下:
#include<stdio.h>
int main()
{
    //输入一行字符,分别统计出其中英文字母、空格。
    char ch[1000];
    int char_num=0,kongge_num=0,i;
    gets(ch);
    for(i=0;ch[i]!='\n';i++)//依次判断统计
    {
        if(ch>='a'&&ch<='z'||ch<='Z'&&ch>='A')
        {
            char_num++;
        }
        else if(ch==' ')
        {
            kongge_num++;
        }
    }
    printf("字母= %d,空格= %d\n",char_num,kongge_num);
    return 0;
 }

getchar()是单个字符输入输出函数,一次只能输入一个字符,如果要输出一行字符要用字符串的函数,就是gets()和puts()函数。统计输入的字符的字母,空格和数字的话,用下面这样的
#include<stdio.h>
void main()
{
int i,k=0,t=0,j=0;
char s[100];
printf("输入一行字符:");
gets(s);
for(i=0;s[i]!='\0';i++)
{
if((s[i]>='a'&&s[i]<='z')||(s[i]>='A'&&s[i]<='Z'))
k=k+1;
if(s[i]>='0'&&s[i]<='9')
t=t+1;
if(s[i]==' ')
j=j+1;
}
printf("字母个数为:%d\n",k);
printf("数字个数为:%d\n",t);
printf("空格个数为:%d\n",j);
}
#include <stdio.h>
void main()
{
int letter, space, number, other;
char ch;
letter = space = number = other = 0;
while((ch = getchar()) != '\n')
if('A' <= ch && ch <= 'Z' || 'a' <= ch && ch <= 'z') letter++;
else
if(ch == ' ') space++;
else
if('0' <= ch && ch <= '9') number++;
else
other++;
printf("letter:%d\n", letter);
printf("space:%d\n", space);
printf("number:%d\n", number);
printf("other:%d\n", other);
}