0

这是我的一个简单游戏的代码。粘贴并尝试。

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

int main (void)
{
    string  g[4],
    b[4],
    a[4],
    l[4];

    srand((unsigned int)time(0));

    cout << "Welcome!\n\n";
    cout << "Type 4 girl names.\n";
    for (int gi = 0; gi < 4; gi++) 
        cin >> g[gi];

    cout << "Type 4 boy names.\n";
    for (int bi = 0; bi < 4; bi++)
        cin >> b[bi];

    cout << "\nWhat they do (enter 4 actions)?\n";
    for (int ai = 0; ai < 4; ai++)
        getline(cin, a[ai]);

    cout << "\nWhere is happening (enter 4 locations)?\n";
    for (int li = 0; li < 4; li++)
        getline(cin, l[li]);

    for (int c = 0; c < 4; c++)
        cout << g[rand() % 4] << " and " << b[rand() % 4] << " are " << a[rand() %     4] << " from a " << l[rand() % 4] << endl;

    return (0);
}

在 4 行的末尾,一些名称、动作和位置重复。我如何让他们不重复并使用您将输入的每个名称?

4

2 回答 2

1

使用std::random_shuffle

std::random_shuffle(g, g + 4);
std::random_shuffle(b, b + 4);
std::random_shuffle(a, a + 4);
std::random_shuffle(l, l + 4);

然后遍历所有洗牌的数组:

for (int c = 0; c < 4; c++)
    cout << g[c] << " and " << b[c] << " are " << a[c] << " from a " << l[c] << endl;
于 2013-02-17T13:22:38.723 回答
0
for (int c = 0; c < 4; c++)
    cout << g[rand() % 4] << " and " << b[rand() % 4] << " are "
         << a[rand() %     4] << " from a " << l[rand() % 4] << endl;

您已经假设连续调用rand()保证不会产生与之前调用相同的结果rand(),但这是毫无根据的。

因此,您总是有可能会重复;事实上,你每次得到相同答案的几率是 64分之一。

要么删除随机性,要么在循环之前执行随机数组洗牌(如 @Eladidan 先生所示)。或者,创建一个数字数组,将其0,1,2,3打乱然后将其用作数据数组的索引。

这是随机洗牌(而不是随机提取)的本质,它会给你一个不重复的答案。

于 2013-02-17T13:41:27.753 回答