使用C ++读取文本文件以读取特定关键字后面的值

时间:2019-04-28 18:06:23

标签: c++ c++11 c++17

我试图用C ++ 17编写一个通用文本文件读取器,该读取器将逐行搜索文本文件中的特定关键字,并且代码应在该关键字之后的数据点中读取。我正在用类中的模板函数编写它,以便它可以读取任何数据类型。在此示例中,假设我有以下名为test.txt的文本文件。

- test.txt file
integer key: 4
Float key: 6.04876
Double Key: 12.356554545476756565
String Key: test

包含模板类的头文件如下所示。在这种情况下,ReadTextFile类继承了另一个类来协助 检查文件状态。

#include <iostream>
#include <fstream>
#include <string>
#include <vector>
#include <sstream>

#ifndef read_files_hpp
#define read_files_hpp

class FileStatus
{
public:
    template <class container>
    bool file_exists(const container& file_name);
    template <class file_container>
    bool is_file_open(const file_container& file);
};
template <class container>
bool FileStatus::file_exists(const container& file_name)
    std::ifstream ifile(file_name.c_str());
    return (bool)ifile;
}

template <class file_container>
bool FileStatus::is_file_open(const file_container& file)
{
    return file.is_open();
}
// ----------------------------------------------------------------


class ReadTextFile : public FileStatus
{
public:
    template <class dtype, class container1, class container2>
    dtype read_key_words(const container1& file_name, const
                         container2& key_word);
};

template <class dtype, class container1, class container2>
dtype ReadTextFile::read_key_words(const container1& file_name,
                                   const container2& key_word)
{
    int j = 3;
    if (bool i = file_exists(file_name) != 1) {
        std::cout << "FATAL ERROR: " << file_name <<
        " not found" << std::endl;
        return -1;
    }
    std::ifstream file(file_name);
    if (is_file_open(file))
    {
        std::string line;
        while (std::getline(file, line))
        {
            std::cout << line.c_str() << std::endl;
        }
    }
    return j;
}
// ================================================================
// ================================================================
#endif

调用程序main.cpp看起来像这样;

#include <iostream>
#include <fstream>
#include "read_files.hpp"
int main() {
    std::string file_name("../data/unit_test/keys.txt");
    std::string key_word("integer key:");
    int j;
    j = txt_file.read_key_words<int>(file_name, key_word);
}

在此测试用例中,该类被实例化为类型int,因此在程序完全编写之前,我要从函数int j = 3;返回变量read_key_words()。目前,代码可以读取文件test.txt,该文件位于同一目录中,并且可以在每一行中正确读取。我希望代码解析每一行,以识别是否存在短语integer key:,然后读取其后的变量,作为实例化该函数的数据类型,在这种情况下为整数。如何在代码中实现此目的?

1 个答案:

答案 0 :(得分:1)

在每一行中,搜索关键字。如果找到,则获取构成此类型的下一个数据:

dtype j;
while (std::getline(file, line)) {
  if (auto pos = line.find(key_word); pos != std::string::npos) {
    std::stringstream iss(line.substr(pos + key_word.size()));
    iss >> j;
    break;
  }
}