为什么strlen函数在这个for循环条件下不起作用?

时间:2017-08-25 19:37:54

标签: c for-loop strlen

我正在学习C,我有疑问。在这个练习中,我必须编写一个名为double dutch的游戏,你可以学习用字符串练习。我遇到的问题是由于for循环条件(在第一个for循环中)程序停止执行。当我打印字符串的长度时,strlen()函数在main和ayInFrontOfConsonant函数中运行良好,但我不知道程序停止工作的原因。在Xcode中,我收到消息:线程1:EXC_BAD_ACCESS。很感谢任何形式的帮助。

void ayInFrontOfConsonant(char *str) 
{
    char consonants[42] = { 'b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 
'l', 'm', 'n', 'p', 'q', 'r', 's', 't', 'v', 'w', 'x', 'y', 'z', 'B', 
'C', 'D', 'F', 'G', 'H', 'J', 'K', 'L', 'M', 'N', 'P', 'Q', 'R', 'S', 
'T', 'V', 'W', 'X', 'Y', 'Z'};


    int a=(int)strlen(str);

    printf("\n Length of str in ay function:   %d\n",a);

    int i=0,j=0;
    for(i=0;i<strlen(str);i++)      //problem is here
    {
        for(j=0;j<strlen(consonants);j++)
        {
            if(str[i]==consonants[j])
            {
                //insertChar(str, 'a', i);

            }
        }
    }
}

int main()
{
    int a=0;
    printf("** Welcome to the Double Dutch game **\n");
    char myString[36];
    printf("Please enter a string: ");
    scanf("%[^\n]s", myString);

    a=strlen(myString);
    printf("Length of string in main: %d\n",a);

    ayInFrontOfConsonant(myString);


    printf("Double dutch traslation: %s\n",myString);


    return 0;

}

2 个答案:

答案 0 :(得分:3)

您的数组没有null终止符。

而不是使用sizeof consonants / sizeof *consonants - 或者在此特定情况下,因为sizeof *consonants肯定是1,然后只是sizeof consonants

你不应该在strlen()循环的条件下使用for,因为它每次遍历字符串,直到它找到你的null终结符>

char consonants[42] = { 'b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 
    'l', 'm', 'n', 'p', 'q', 'r', 's', 't', 'v', 'w', 'x', 'y', 'z', 'B', 
    'C', 'D', 'F', 'G', 'H', 'J', 'K', 'L', 'M', 'N', 'P', 'Q', 'R', 'S', 
    'T', 'V', 'W', 'X', 'Y', 'Z'};

如果您使用

const char *consonant = "bcdf ...";

相反,编译器将添加'\0'终止符,您也可以显式添加

char consonants[] = { 'b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 
        'l', 'm', 'n', 'p', 'q', 'r', 's', 't', 'v', 'w', 'x', 'y', 'z', 'B', 
        'C', 'D', 'F', 'G', 'H', 'J', 'K', 'L', 'M', 'N', 'P', 'Q', 'R', 'S', 
        'T', 'V', 'W', 'X', 'Y', 'Z', '\0'};

程序员可能会写这个,

#include <stdlib.h>

void ayInFrontOfConsonant(char *str) 
{
    char consonants[] = {
        'b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 'l', 'm', 'n', 
        'p', 'q', 'r', 's', 't', 'v', 'w', 'x', 'y', 'z', 'B', 
        'C', 'D', 'F', 'G', 'H', 'J', 'K', 'L', 'M', 'N', 'P', 
        'Q', 'R', 'S', 'T', 'V', 'W', 'X', 'Y', 'Z'
    };

    for (size_t i = 0; str[i] != '\0'; i++) {
        for (size_t j = 0; j < sizeof consonants; ++j) {
            if (str[i] == consonants[j]) {
                // Do here whatever you wanted to do
            }
        }
    }
}

但不是真的,因为没有必要扫描整个辅音阵列,因为它们可以被排序,你可以使用二进制搜索,这将大大改善算法。

答案 1 :(得分:2)

当您编写char consonants [42] = { ... }之类的语句时,会发生以下三种情况之一:

如果您有43个或更多字符,编译器会给您一个错误。

如果你有41个或更少的字符,编译器用零填充数组的其余部分,strlen()将起作用,因为字符后面有一个空字节。

如果您只有42个字符,编译器会将数组完全填充到最后。没有尾随零字节。 strlen无效。

实际上,你没有理由计算角色。

char consonants [] = "bcdfgh..." 

会完全按照你的意愿行事。