1

这个小程序我做错了什么。

我刚刚开始学习 c++,而且我可以接受这是一个没有实际意义的问题。我正在阅读 Prata c++ 入门书,它给了我一个代码示例,它采用 char 数组并在 for 循环中使用 strcmp(),该循环按顺序遍历以“?”开头的 ASCII 代码。直到一个测试字符变量 ==sa 从另一个字符设置值。

认为我可以超越这本书,我试图创建一个类似的程序,它采用一个 char 数组,使用 for 循环将采用一个测试 char 数组并遍历数组的每个值,直到两个变量相等。

我将程序简化为仅获取 for 循环中每个数组的第一个,因为我遇到了一个问题,即程序似乎只是跳过了 for 循环并终止。

下面首先是 prata 代码片段,然后是我的一段代码。任何反馈(甚至是辱骂性的>_<)都会很有用。

#include <iostream>
#include <cstring>

int main() {
using namespace std;
char word[5] = "?ate";

for (char ch = ‘a’; strcmp(word, "mate"); ch++) {
cout << word << endl;
word[0] = ch;
}

cout << "After loop ends, word is " << word << endl;
return 0;
}

我的代码(虽然可能做得不好,但我可以接受)

#include <iostream>
#include <cstring>

int main() {
    using namespace std;
    char word[5] = "word";
    char test[5] = "????";
    int j = 0;
    int i = 0;

    cout << "word is " << word << "\nTest is " << test << endl;
    cout << word[0] << " " << test[0] << endl;
    for (char temp = '?'; word[0] == test[0] || temp == 'z'; temp++) {
        if ((word[i]) == (test[j])) {
            test[j] = temp;
            j++;
            temp = '?';
        }
        test[j] = temp++;
        cout << test << endl; //Added to see if the for loop runs through once, 
                                  //which is does not
    }
    return 0;
}
4

1 回答 1

4

您的for循环永远不会开始,因为您的条件如下所示:

word[0] == test[0] || temp == 'z'

在第一次通过时将始终返回 false。由于temp初始化为'?'并且word[0]( w) 不等于test[0]( ?),因此您的循环将永远不会开始。

此外,您已经初始化temp?这样,查看 ascii 图表?,您会看到在和 小写之间有很多非字母字符z

此外,在for循环中,您增加j( j++) 但从不触摸i。由于您正在从with作为索引读取chars ,因此最终会成为.worditest"wwww"

你好像把自己弄糊涂了,所以...

让我们分解一下您要执行的操作:

如果您要迭代字符串中的每个字符,然后检查该索引处的每个字母,您将有两个循环:

for(;;) {
    for(;;) {
    }
}

第一个(遍历字符串中的每个索引应该在索引到达字符串末尾时结束(字符串文字以 a 终止'\0'):

for(int i = 0; word[i] != '\0' && test[i] != '\0'; i++) {
    for(;;) {
    }
}

第二个将检查字母表中的每个字母(char temp = 'a'和)与您在和( )temp++中给定的索引。如果它们不相等,它会将at index的字符设置为,直到找到正确的字母。把它们放在一起,你最终得到了这个:wordtestword[i] != test[i];testitemp

for(int i = 0; word[i] != '\0' && test[i] != '\0'; i++) {
    for(char temp = 'a'; word[i] != test[i]; temp++) {
        test[i] = temp;
    }
}

当然,如果您只追求结果而不是试图自学循环和编程基础知识,那么这只是一种非常迂回的 simplay 调用方式:

memcpy(temp, word, strlen(word));
于 2013-01-26T01:02:12.673 回答