我有这个代码我正在努力工作(没有对吧)现在它创建了一个大文件,但我希望它生成一系列随机标题文件。
#include <iostream>
#include <string>
#include <time.h>
#include <stdlib.h>
#include <fstream>
using namespace std;
string random(int len)
{
string a = "abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789";
string r;
srand(time(NULL));
for(int i = 0; i < len; i++) r.push_back(a.at(size_t(rand() % 62)));
return r;
}
int main(){
std::ofstream o("largefile.txt");
o << random(999) << std::endl;
return 0;
}
我尝试添加此内容,但在std::ofstream
std::string file=random(1);
std::ofstream o(file);
答案 0 :(得分:1)
std::string file=random(1);
std::ofstream o(file);
应该是:
std::string file=random(1);
std::ofstream o(file.c_str());
因为ofstream
的构造函数需要const char*
。
另请考虑使用以下函数代替rand() % 62
:
inline int irand(int min, int max) {
return ((double)rand() / ((double)RAND_MAX + 1.0)) * (max - min + 1) + min;
}
...
srand(time(NULL)); // <-- be careful not to call srand in loop
std::string r;
r.reserve(len); // <-- prevents exhaustive reallocation
for (int i = 0; i < len; i++)
r.push_back( a[irand(0,62)] );