我想做的就是将readme.txt的内容打印20次..请帮助。
int main()
{
ifstream myfile;
string line;
int i;
myfile.open ("readme.txt");
if (myfile.is_open()){
while (i<20){
i++;
if(!myfile.eof()){
cout << "asdasd" << "\t";
myfile.seekg(0, ios::beg);
}
getline (myfile,line);
cout << line << endl;
}
cout << endl;
myfile.close();
}
else cout << "Unable to open file";
return 0;
}
答案 0 :(得分:1)
您的代码存在一些问题。首先我没有初始化。第二次读取文件的内容应该在循环之前完成一次而不是之后,你应该打印打印asdasd的文件内容,以便在循环运行时多次查看打印文件的内容。
答案 1 :(得分:1)
这就是工作人员:
#include <iostream>
#include <vector>
#include <fstream>
int main()
{
std::ifstream myfile;
std::string content;
std::string line;
myfile.open ("Readme.txt");
if (myfile.is_open()){
if(!myfile.eof())
{
getline (myfile,line);
content.append(line);
}
while (!myfile.eof()){
getline (myfile,line);
content.append("\n");
content.append(line);
}
myfile.close();
for(int i = 0; i < 20; i++)
std::cout << content << std::endl;
}
else std::cout << "Unable to open file";
return 0;
}
答案 2 :(得分:0)
你应该这样做(伪代码):
if(file is open)
{
for(int i = 0; i<20; ++i)
{
while(getline(file, line))
{
print line
}
seek to 0
}
close file
}
编辑 实际上,您的真正问题是未初始化的变量i
。更深层次的原因是您使用while
for
更合适
答案 3 :(得分:0)
根据您的代码,如果您不在文件的末尾,则打印asdasd
。
答案 4 :(得分:0)
你有
int i;
并且此i
未初始化。
答案 5 :(得分:0)
if(!myfile.eof())
您可能想要丢失!
。您将在每个循环中倒回到文件的开头。
(基里尔在这里也有一点......)
答案 6 :(得分:0)
#include <iostream>
#include <algorithm>
#include <fstream>
#include <iterator>
#include <vector>
int main ()
{
std::ifstream ifs("readme.txt");
std::vector<char> filebuffer;
ifs.seekg (0, std::ios::end);
size_t size = static_cast<size_t>(ifs.tellg());
ifs.seekg (0, std::ios::beg);
filebuffer.resize(size);
ifs.read(&filebuffer[0], size);
for(int i = 0; i < 20; ++i)
std::copy(filebuffer.begin(), filebuffer.end(),
std::ostream_iterator<char>(std::cout));
return 0;
}
答案 7 :(得分:0)
不确定这是否能解决您的问题,但结构非常糟糕。当你不知道要循环多少次时使用一段时间,否则使用for循环。像下面这样的东西应该没问题
int main()
{
ifstream myfile;
string content;
string line;
myfile.open ("readme.txt");
while(!myfile.eof()){
getline (myfile,line);
content += line;
}
myfile.close();
for(int i = 0; i < 20; i++)
{
cout << content << endl;
}
return 0;
}
希望这有帮助。
答案 8 :(得分:0)
我不知道你为什么要那样做,但这段代码有效:
#include <iostream>
#include <fstream>
using std::cout;
using std::endl;
int main(int argc,char* argv[])
{
std::fstream myfile;
for (int i=0; i<20; i++)
{
myfile.open("main.cpp",std::fstream::in);
if (myfile)
{
cout << myfile.rdbuf() << endl;
cout << "FINISH" << endl;
}
else
cout << "Error" << endl;
myfile.close();
}
return 0;
}
如果文件在迭代期间没有变化,那就更好了
#include <iostream>
#include <fstream>
using std::cout;
using std::endl;
int main(int argc,char* argv[])
{
std::fstream myfile;
myfile.open("main.cpp",std::fstream::in);
for (int i=0; i<20; i++)
{
if (myfile)
{
cout << myfile.rdbuf() << endl;
cout << "FINISH" << endl;
}
else
cout << "Error" << endl;
}
myfile.close();
return 0;
}