在c ++中处理fscanf等效的更好方法

时间:2016-04-02 14:44:15

标签: c++ file input

我正在试图找出处理文本输入的最佳方法,就像我在C中使用fscnaf一样。

以下内容似乎适用于包含...

的文本文件
string 1 2 3
string2 3 5 6

我也想要它。它读取每行上的各个元素并将它们放入各自的向量中。你会说这是处理输入的好方法吗?输入将始终以字符串开头,然后在每一行上跟随相同的数字计数。

int main(int argc, char* argv[])
{
ifstream inputFile(argv[1]);

vector<string> testStrings;
vector<int> intTest;
vector<int> intTest2;
vector<int> intTest3;
string testme;
int test1;
int test2;
int test3;

if (inputFile.is_open())
{
    while (!inputFile.eof())
    {
        inputFile >> testme;
        inputFile >> test1;
        inputFile >> test2;
        inputFile >> test3;

        testStrings.push_back(testme);
        intTest.push_back(test1);
        intTest2.push_back(test2);
        intTest3.push_back(test3);
    }
    inputFile.close();
}
else
{
    cout << "Failed to open file";
    exit(EXIT_FAILURE);
}
return 0;
}

更新

我已将while循环更改为此...是否更好?

    while (getline(inputFile, line))
    {
        istringstream iss(line);

        iss >> testme;
        iss >> test1;
        iss >> test2;
        iss >> test3;

        testStrings.push_back(testme);
        intTest.push_back(test1);
        intTest2.push_back(test2);
        intTest3.push_back(test3);
    }

1 个答案:

答案 0 :(得分:2)

对于您的代码,请阅读 Why is iostream::eof inside a loop condition considered wrong?

由于您知道格式,使用ifstream,您可以轻松编写更少的代码来实现相同(或更好的结果):

#include <iostream>
#include <fstream>
#include <string>

int main(int argc, char* argv[]) {
        std::ifstream ifs;
        if(argc > 1) {
                ifs.open(argv[1]);
        } else {
                std::cout << "Usage: " << argv[0] << " <filename>\n";
                return -1;
        }
        std::string str;
        int v1 = -1, v2 = -1, v3 = -1
        if (ifs.is_open()) {
                while(ifs >> str >> v1 >> v2 >> v3)
                        std::cout << str << ' ' << v1 << ' ' << v2 << ' ' << v3 << std::endl;
        } else {
                std::cout << "Error opening file\n";
        }
        return 0;
}

输出:

gsamaras@gsamaras:~$ g++ -Wall readFile.cpp 
gsamaras@gsamaras:~$ ./a.out test.txt 
string 1 2 3
string2 3 5 6

我的灵感来自:How to read formatted data in C++?