regex_match无法找到方括号

时间:2016-04-13 11:10:29

标签: c++ regex c++11

我正在尝试对其中包含方括号([...])的字符串执行regex_match。

到目前为止我尝试过的事情:

  • 正常匹配
  • 用1斜杠反斜杠方括号
  • 用2斜杠反斜杠方括号

重新编码的代码:

#include <iostream>
#include <cstring>
#include <regex>

using namespace std;

int main () {
  std::string str1 = "a/b/c[2]/d";
  std::string str2 = "(.*)a/b/c[2]/d(.*)";
  std::regex e(str2);

  std::cout << "str1 = " << str1 << std::endl;
  std::cout << "str2 = " << str2 << std::endl;
  if (regex_match(str1, e)) {
    std::cout << "matched" << std::endl;
  }
}

这是我每次编译时都会收到的错误消息。

terminate called after throwing an instance of 'std::regex_error'
what():  regex_error
Aborted (core dumped)

堆栈溢出成员告诉我,gcc 4.8或更早版本已知有bug。所以,我需要将它更新到最新版本。

我创建了一个Ideone fiddle,其中编译器不应该是问题。 即使在那里,我也没有看到regex_match正在发生。

3 个答案:

答案 0 :(得分:1)

您遇到的主要问题是过时的gcc编译器:您需要升级到某个最新版本。 4.8.x只是不支持正则表达式。

现在,您应该使用的代码是:

#include <iostream>
#include <cstring>
#include <regex>

using namespace std;

int main () {
    std::string str1 = "a/b/c[2]/d";
    std::string str2 = R"(a/b/c\[2]/d)";
    std::regex e(str2);

    std::cout << "str1 = " << str1 << std::endl;
    std::cout << "str2 = " << str2 << std::endl;
    if (regex_search(str1, e)) {
        std::cout << "matched" << std::endl;
    }
}

请参阅IDEONE demo

使用

  • regex_search代替regex_match搜索部分匹配regex_match需要完整字符串匹配)
  • 正则表达式模式中的[2]与文字2匹配([...]是与字符类中指定的范围/列表中的1个字符匹配的字符类)。要匹配文字方括号,您需要转义[,而不必转义]R"(a/b/c\[2]/d)"

答案 1 :(得分:0)

他们肯定应该使用反斜杠来逃避。不幸的是,因为反斜杠本身在文字字符串中是特殊的,所以你需要两个反斜杠。所以正则表达式应该看起来像"(.*)a/b/c\\[2\\]/d(.*)"

答案 2 :(得分:0)

原始字符串文字通常会简化人们必须具有复杂转义序列的情况:

#include <iostream>
#include <cstring>
#include <regex>

using namespace std;

int main () {
    std::string str1 = "a/b/c[2]/d";
    std::string str2 = R"regex((.*)a/b/c[2]/d(.*))regex";
    std::regex e(str2);

    std::cout << "str1 = " << str1 << std::endl;
    std::cout << "str2 = " << str2 << std::endl;
    if (regex_match(str1, e)) {
        std::cout << "matched" << std::endl;
    }
}

预期产出:

str1 = a/b/c[2]/d
str2 = (.*)a/b/c[2]/d(.*)