2

实际上,我尝试在多行字符串中查找正则表达式,但我认为在新行之后查找下一个正则表达式(等于'\n')的方法错误。这是我的正则表达式:

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

#define USE ".*[0-9]{2}\\.[0-9]{2}\\.[0-9]{2}\\.[0-9]{2}\\.[0-9]{2}.*(?:\\n)*"

int                     main(int argc, char **argv)
{
  std::stringstream     stream;
  std::filebuf          *buffer;
  std::fstream          fs;
  std::string           str;
  std::regex            regex(USE);

  if (argc != 2)
    {
      std::cerr << "Think to the use !" << std::endl;
      return (-1);
    }
  fs.open(argv[1]);
  if (fs)
    {
      stream << (buffer = fs.rdbuf());
      str = stream.str();
      if (std::regex_match(str, regex))
        std::cout << "Yes" << std::endl;
      else
        std::cout << "No" << std::endl;
      fs.close();
    }
  return (0);
}
4

1 回答 1

2

在构造正则表达式对象时可以指定一些标志,有关详细信息,请参阅文档http://en.cppreference.com/w/cpp/regex/basic_regex

带有 regex::extended 标志的简短工作示例,其中在搜索中指定换行符 '\n' 如下:

#include <iostream>
#include <regex>

int main(int argc, char **argv)
{
  std::string str = "Hello, world! \n This is new line 2 \n and last one 3.";
  std::string regex = ".*2.*\n.*3.*";
  std::regex reg(regex, std::regex::extended);

  std::cout << "Input: " << str << std::endl;

  if(std::regex_match(str, reg))
    std::cout << "Match" << std::endl;
  else
    std::cout << "NOT match" << std::endl;

  return 0;
}
于 2017-04-12T12:56:31.140 回答