3

我的代码有什么问题?我想从文件中获取输入(第一个字符串,然后是 char ,然后是 int)。我想要整个文件。这是我的代码。这让我很痛苦。我能做些什么?请帮我。

//file handling
//input from text file
//xplosive


#include<iostream>
#include<fstream>
using namespace std;
ifstream infile ("indata.txt");

int main()
{
    const int l=50;
    //string t_ques;
    char t_ques[l];
    char t_ans;
    int t_time_limit;


    while(!infile.eof())
    //while(infile)
    {
        infile.getline(t_ques,l);
        //infile >> t_ans ;
        infile.get(t_ans);
        infile >> t_time_limit;

        cout << t_ques << endl;
        cout << t_ans << endl;
        cout << t_time_limit << endl;
    }




    return 0;
}

我的 indata.txt 文件包含

what is my name q1?
t
5
what is my name q2?
f
3
what is my name q3?
t
4
what is my name q4?
f
8

out put should be the same.
but my while loop don't terminate.
4

2 回答 2

3

一些事情:

  • eof 检查是不合适的(大多数时候)。相反,检查流状态
  • 不要使用read,因为它不会跳过空格
  • 在您的时间限制之后,忽略输入直到行尾
#include<iostream>
#include<fstream>
using namespace std;

int main()
{
    ifstream infile ("indata.txt");
    std::string t_ques;
    char t_ans;
    int t_time_limit;

    std::getline(infile, t_ques);
    while (infile >> t_ans >> t_time_limit)
    {
        cout << t_ques << endl;
        cout << t_ans << endl;
        cout << t_time_limit << endl;

        infile.ignore();
        std::getline(infile, t_ques);
    }
}

在 Coliru上现场观看

于 2013-08-22T21:35:15.623 回答
0

尝试使用这个表达式:

infile.open("indata.txt", ios::in);
// ...same loop...
infile >> t_ques >> t_ans >> t_time_limit;

// At the end close the file
infile.close();
于 2013-08-22T21:28:37.683 回答