Как получить информацию случайным образом из файлов в C ++?

Я создаю игру викторины на C ++. Таким образом, основное требование заключается в том, что вопросы должны выбираться случайным образом из файла при каждом запуске программы. Итак, как я могу сделать это в C ++?
Рассмотрим следующие две простые программы.

Write.cpp

#include <iostream>
#include <fstream>
#include <string>
using std::cout;
using std::ofstream;
using std::string;
int main()
{
ofstream fout("test.txt");
if(!fout)
cout<<"Error in opening file";
string s[3];
s[0]="C++ provides object oriented string handling";
s[1]="C++ provides object oriented exception handling";
s[2]="C++ provides highest flexibility to the programmer";
for(int i=0;i<3;i++)
fout<<s[i]<<'\n';
fout.close();
}

Read.cpp

#include <iostream>
#include <fstream>
#include <string>
using std::cout;
using std::string;
using std::ifstream;
int main()
{
ifstream fin("test.txt");
if(!fin)
cout<<"Error in opening file";
string s[3];
for(int i=0;i<3;i++)
getline(fin,s[i]);
for(int i=0;i<3;i++)
cout<<s[i]<<'\n';
fin.close();
}

Что мне делать, чтобы при компиляции Read.cpp & запустите файл Read.exe, 3 строки должны быть получены случайным образом из файла & отображается?

Ваша помощь высоко ценится.

0

Решение

Если вы хотите сохранить массив строк в том порядке, в котором вы читаете их из файла

Вы можете добиться этого, создав еще один целочисленный массив, содержащий числа [1, 2 .. n-1] (где n — количество строк), а затем перемешайте его, чтобы получить рандомизированные последовательности индексов, которые можно использовать для печати струны.

#include <iostream>
#include <fstream>
#include <string>
#include <vector>
#include <algorithm>
#include <random>
#include <chrono>

using std::cout;
using std::string;
using std::ifstream;

int main()
{
ifstream fin("test.txt");
if(!fin)
cout<<"Error in opening file";

std::vector<string> lines;
string line;
while (getline(fin, line))
lines.push_back(line);

// Create a std::vector containing {1, 2 .. n-1}
// and shuffle it to obtain a random ordering.
std::vector<int> order;
for (int i = 0; i < lines.size(); ++i)
{
order.push_back(i);
}

// C++11
unsigned seed = std::chrono::system_clock::now().time_since_epoch().count(); // Seed from current time.
auto engine = std::default_random_engine{seed}; // You may also want to look into uniform_int_distribution.
std::shuffle(std::begin(order), std::end(order), engine);

// C++98
// std::random_shuffle(order.begin(), order.end());

// Prints strings in random order.
for (int number : order)
cout << lines[number] <<'\n';

fin.close();
}

Если вы можете изменить (перемешать) массив строк

#include <iostream>
#include <fstream>
#include <string>
#include <vector>
#include <algorithm>
#include <random>
#include <chrono>

using std::cout;
using std::string;
using std::ifstream;

int main()
{
ifstream fin("test.txt");
if(!fin)
cout<<"Error in opening file";

std::vector<string> lines;
string line;
while (getline(fin, line))
lines.push_back(line);

// C++11
unsigned seed = std::chrono::system_clock::now().time_since_epoch().count(); // Seed from current time.
auto engine = std::default_random_engine{seed}; // You may also want to look into uniform_int_distribution.
std::shuffle(std::begin(lines), std::end(lines), engine);

// C++98
// std::random_shuffle(lines.begin(), lines.end());

// Prints strings in random order.
for (string& line : lines)
cout << line <<'\n';

fin.close();
}

Попробуйте онлайн!

2

Другие решения

Самое простое решение — поместить вас в std::listзатем используйте std::random_shuffle переупорядочить их случайным образом:

#include <algorithm>    // std::random_shuffle
#include <list>         // std::list
#include <ctime>        // std::time
#include <cstdlib>      // std::rand, std::srand
std::list<std::string> str_list;
std::string buf_str;

for(int i=0;i<3;i++){
getline(fin,buf_str);
str_list.push_back(buf_str);
}
std::srand(std::time(0));
std::random_shuffle ( str_list.begin(), str_list.end() );
// then just print lines from str_list
2

По вопросам рекламы [email protected]