C程序计算错误单词中的字母数
C Program to count number of alphabets in a word giving error
代码如下:
#include<stdio.h>
int main()
{
int alpha = 0, input;
while((input = getchar() != EOF))
{
if(isalpha(input))
alpha++;
}
printf("Num of alpha is %d", alpha);
return(0);
}
我收到错误消息
isalpha was not declared in this scope
在 DevC++ 编译器上编译时。
isalpha()
在 ctype.h
中声明
了解 isalpha
(以及所有 isxxx
系列函数)的参数是 int
、the behavior is undefined if the argument is negative. 可能是件好事 所以如果你如果机器上的 char
被默认签名,除非您先施法,否则您可能 运行 会遇到麻烦。像这样:
char c;
// Some code
if(isalpha((unsigned char) c)) {
总是强制转换这些函数可能是一个好习惯。但是,不要使用转换作为 goto 来消除警告。它可以很容易地隐藏错误。在大多数情况下,当需要强制转换时,您的代码在其他方面是错误的。 Rant about casting
这些函数(以及许多其他 return 将 int
作为布尔值的 C 函数)的另一个陷阱是,它们需要 return 为 false 时为零,但是允许 return 为真时的任何非零值。所以像这样的检查完全是胡说八道:
if( isalpha(c) == 1 )
改为执行以下任一操作:
if( isalpha(c) != 0 ) // If not zero
if( isalpha(c) ) // Use directly as Boolean (recommended)
if( !! isalpha(c) == 1) // Double negation turns non zero to 1
代码如下:
#include<stdio.h>
int main()
{
int alpha = 0, input;
while((input = getchar() != EOF))
{
if(isalpha(input))
alpha++;
}
printf("Num of alpha is %d", alpha);
return(0);
}
我收到错误消息
isalpha was not declared in this scope
在 DevC++ 编译器上编译时。
isalpha()
在 ctype.h
了解 isalpha
(以及所有 isxxx
系列函数)的参数是 int
、the behavior is undefined if the argument is negative. 可能是件好事 所以如果你如果机器上的 char
被默认签名,除非您先施法,否则您可能 运行 会遇到麻烦。像这样:
char c;
// Some code
if(isalpha((unsigned char) c)) {
总是强制转换这些函数可能是一个好习惯。但是,不要使用转换作为 goto 来消除警告。它可以很容易地隐藏错误。在大多数情况下,当需要强制转换时,您的代码在其他方面是错误的。 Rant about casting
这些函数(以及许多其他 return 将 int
作为布尔值的 C 函数)的另一个陷阱是,它们需要 return 为 false 时为零,但是允许 return 为真时的任何非零值。所以像这样的检查完全是胡说八道:
if( isalpha(c) == 1 )
改为执行以下任一操作:
if( isalpha(c) != 0 ) // If not zero
if( isalpha(c) ) // Use directly as Boolean (recommended)
if( !! isalpha(c) == 1) // Double negation turns non zero to 1