结合两个正则表达式c ++ 0x

时间:2011-04-28 07:55:12

标签: c++ regex c++11

我有一个日期可以如下所示的文字:2011-02-02或者像这样:02/02/2011,这是我到目前为止所写的内容,我的问题是,如果有一个很好的将这两个正则表达式合并为一个的方法?

std::regex reg1("(\\d{4})-(\\d{2})-(\\d{2})");

std::regex reg2("(\\d{2})/(\\d{2})/(\\d{4})");

smatch match;
if(std::regex_search(item, match, reg1))
{
       Date.wYear  = atoi(match[1].str().c_str());
       Date.wMonth = atoi(match[2].str().c_str());
       Date.wDay   = atoi(match[3].str().c_str());
}
else if(std::regex_search(item, match, reg2))
{
       Date.wYear  = atoi(match[3].str().c_str());
       Date.wMonth = atoi(match[2].str().c_str());
       Date.wDay   = atoi(match[1].str().c_str());
}

1 个答案:

答案 0 :(得分:5)

您可以通过|将两个正则表达式组合在一起。由于只能匹配|中的一个,我们可以连接不同部分的捕获组并将它们视为一个整体。

std::regex reg1("(\\d{4})-(\\d{2})-(\\d{2})|(\\d{2})/(\\d{2})/(\\d{4})");
std::smatch match;

if(std::regex_search(item, match, reg1)) {
    std::cout << "Year=" << atoi(match.format("$1$6").c_str()) << std::endl;
    std::cout << "Month=" << atoi(match.format("$2$5").c_str()) << std::endl;
    std::cout << "Day=" << atoi(match.format("$3$4").c_str()) << std::endl;
} 

(不幸的是,C ++ 0x的正则表达式不支持命名捕获组,否则我建议使用命名捕获来覆盖正则数组的数组。)