1

我想计算空格的数量。据我了解,编译器在这一行发誓isspace(s[step]) != 0。但有时代码启动并没有错误。我不知道为什么会这样。

char s[] = "So she was considering";

int number_space = 0, step = 0;
int length_string = strlen(s);

while(strlen(s) != step){
    if(isspace(s[step]) != 0){ 
        number_space++;
    }
step++;
}

cout << number_space;
4

1 回答 1

1

你必须写

if ( isspace( static_cast<unsigned char>( s[step] ) ) != 0 ){ 

或者

if ( isspace( ( unsigned char )s[step] ) != 0 ){ 

否则,通常表达式 s[step] 可以产生负值。

此代码段

int number_space = 0, step = 0;
int length_string = strlen(s);

while(strlen(s) != step){
    if(isspace(s[step]) != 0){ 
        number_space++;
    }
step++;
}

可以改写更简单

size_t number_space = 0;

for ( size_t i = 0; s[i] != '\0'; i++ )
{
    if ( isspace( static_cast<unsigned char>( s[i] ) ) )
    {
        number_space++;
    } 
}   

那就是没有必要调用strlen,而且在循环的条件下。

于 2019-12-26T21:24:34.287 回答