使getline检查输入文件的第二和第三行

时间:2019-03-26 11:46:21

标签: c++ regex ifstream getline

我检查了有关此主题的大多数stackoverflow问题,但似乎没有正确的答案。

我正在从txt文件中读取字符串,然后使用正则表达式检查txt文件的每一行是否具有正确的字符串。

我的代码检查输入文件的第一行,如果输入文件的第一行不是“ #FIRST”,则打印输出为“坏”。我正在尝试对接下来的两行执行相同的操作,但是我不知道如何告诉getline仅在第一行确定后才检查第二行。

第二行应为“这是一条评论”。 第三行应为“ #SECOND”。

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

int main (){



    std::ifstream input( "test.txt" );
    for( std::string line; getline( input, line ); )
{   std::regex e("#FIRST");
  std::regex b("#this is a comment");
   //std::regex c("#SECOND");

    if(std::regex_match(line,e))
    std::cout << "good." << std::endl;

else
  std::cout << "bad." << std::endl;

    if(std::regex_match(line,b))
    std::cout << "good." << std::endl;

else
  std::cout << "bad." << std::endl;
break;

}

    return 0;
}

输入文件

#FIRST
#this is a comment
#SECOND

1 个答案:

答案 0 :(得分:0)

一种解决方案是存储您要进行的检查的列表,然后循环进行检查。对于每项检查,请阅读一行并查看是否匹配:

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

int main()
{
    std::vector<std::string> validLines {
        "#FIRST",
        "this is a comment",
        "#SECOND"
    };

    std::istringstream fileStream { // pretend it's a file!
            "#FIRST\n" \
            "this is a comment\n" \
            "this line should fail\n"};

    std::string fileLine;
    for (auto const& validLine : validLines) {
        // for every validity check, read a line from the file and check it
        if (!std::getline(fileStream, fileLine)) {
            std::cerr << "Failed to read from file!\n";
            return 1;
        }
        if (validLine == fileLine) { // could be a regex check
            std::cout << "good\n";
        }
        else {
            std::cout << "bad\n";
        }
    }
}

这只会读取您需要检查的行。如果文件中有更多行,则根本不会读取它们。

还请注意,我做了一些简化,使用字符串而不是文件,并使用简单的匹配项而不是正则表达式,但这与您关心的位没有任何区别。


只是为了好玩,如果您只需要检查某些行号,这是另一种方法:

#include <iostream>
#include <sstream>
#include <string>
#include <unordered_map>

int main()
{
    using LineCheckMap = std::unordered_map<std::size_t, std::string>;
    LineCheckMap validLines {
        {3, "#SECOND"}
    };

    std::istringstream fileStream { // pretend it's a file!
            "#FIRST\n" \
            "this is a comment\n" \
            "this line should fail\n"};

    std::string fileLine;
    std::size_t lineCount {0};
    while (std::getline(fileStream, fileLine)) {
        // for every line in the file, add to a counter and check
        // if there is a rule for that line
        ++lineCount;
        LineCheckMap::const_iterator checkIter = validLines.find(lineCount);
        if (std::end(validLines) != checkIter) {
            if (checkIter->second == fileLine) {
                std::cout << "good\n";
            }
            else {
                std::cout << "bad\n";
            }
        }
    }
}