简体   繁体   English

向量C ++中的非重复随机数

[英]Non-repeating random numbers in vector C++

I'm trying to store random numbers in vector, but I want each number to be unique. 我正在尝试在向量中存储随机数,但我希望每个数字都是唯一的。 Can I do that with for loop without using unique() or random_shuffle() ? 我可以使用for循环而不使用unique()或random_shuffle()吗?

#include <iostream>
#include <vector>
#include <ctime>

using namespace std;

int main()
{

    srand(time(NULL));

    vector<int> v;

    for (unsigned int i = 0; i < 30; i++) {

          v.push_back(rand() % 30);
    }

    for (unsigned int j = 0; j < 30; j++) {

        cout << v[j] << endl;
    }

    return 0;
}

The classic Fisher–Yates shuffle can also be used to generate a shuffled vector directly, in one pass 经典的Fisher-Yates随机播放也可以用于一次直接生成随机播放的向量

vector<unsigned> v;

for (unsigned i = 0; i < 30; ++i)
{
  unsigned j = rand() % (i + 1);
  if (j < i)
  {
    v.push_back(v[j]);
    v[j] = i;
  }
  else
    v.push_back(i);
}

You should probably generate vector and just shuffle it: 您可能应该生成向量并将其洗牌:

#include <iostream>
#include <ctime>
#include <utility>

int main()
{

    std::srand(static_cast<unsigned int>(std::time(NULL)));
    size_t const n = 30;
    std::vector<int> v(n);

    //make vector
    for (size_t i = 0; i < n; ++i)
        v[i] = static_cast<int>(i);

    //shuffle
    for (size_t i = n - 1; i > 0; --i)
        std::swap(v[i], v[static_cast<size_t>(rand()) % (i + 1)]);

    //print
    for (size_t i = 0; i < n; ++i) 
        std::cout << (i > 0 ? "," : "") << v[i];

    return 0;
}

Prints, for example: 打印,例如:

27,24,2,23,13,6,9,14,11,5,15,18,16,29,22,12,26,20,10,8,28,25,7,4,1,17,0,3,19,21

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM