在 C++ 中按行打乱二维数组

Shuffle 2D Array By Row in C++

我想逐行打乱二维数组。例如,

arr = {{0,0},{0,1},{1,0},{1,1}};

洗牌后,我需要这样的东西:

arr = {{1,0},{1,1},{0,0},{0,1}};

我自己可以做到。但是我想知道那里有什么标准功能吗?

您应该可以使用 std::shuffle() 算法,如下所示:

#include <algorithm>
#include <iostream>
#include <random>

int main() {
  int arr[][2] = {{0, 0}, {0, 1}, {1, 0}, {1, 1}};
  std::random_device rd;
  std::mt19937 g(rd());

  std::shuffle(std::begin(arr), std::end(arr), g);

  for(auto &row: arr)
    std::cout << row[0] << ',' << row[1] << '\n';

  return 0;
}