2

当我尝试用 cout 显示随机生成的字符串 rnd 时,我只得到 endlines 作为输出。为什么会这样,我该如何解决?附带说明一下,while 语句会创建一个无限循环。我没有正确比较字符串吗?我正在使用 g++ 编译器。

#include <iostream>
#include <cstdlib>
#include <string>
using namespace std;

int main()
{
    string str;
    string rnd;
    int x;

    cout << "What do you want the string to be?" << endl;
    cin >> str;

    srand(1);

    //assign the initial random string
    for(int i = 0; i < str.size(); i++)
    {
        x = rand() % 26 + 97;
        rnd[i] = static_cast<char>(x);
    }

    cout << rnd << endl;

    //change individual characters of the string rnd until rnd == str
    while(str != rnd)
    {
        for(int i = 0; i < str.size(); i++)
        {
            if (rnd[i] == str[i])
            {
                continue;
            }
            else
            {
                x = rand() % 26 + 97;
                rnd[i] = static_cast<char>(x);
            }
        }

        cout << rnd << endl;
    }

    return 0;
}
4

2 回答 2

2

rnd.resize(str.size());之后添加cin >> str;rnd不包含任何字符,因此您需要将字符串大小调整为与str.

于 2012-10-11T04:56:56.173 回答
2

您永远不会更改 的大小rnd,因此它将始终为 0。当 i > rnd.size() 时设置(或获取) rnd[i] 是未定义的行为,但即使它“有效”(例如,因为您的实现使用短字符串优化和你所有的单词都很短),str == rnd因为它们的大小不同,所以永远不会出现这种情况。

我建议:

rnd.push_back('a' + rand() % 26);

在初期建设中。在while循环内部,您可以使用rnd[i],因为那时rnd具有正确的大小。

于 2012-10-11T05:00:27.470 回答