C ++在字符串中查找特定数字

时间:2015-04-18 14:16:27

标签: c++ regex string

我对正则表达式很陌生。我有这个字符串。

string s = media_type=video|key_frame=1|pkt_pts=1516999|pkt_pts_time=50.566633|pkt_dts=1516999|

我需要在C ++中使用字符串运算符和正则表达式提取50.566633值。有人可以提出一种方法吗?

1 个答案:

答案 0 :(得分:2)

正则表达式非常值得研究,因为它非常有用。

这对我有用:

#include <regex>
#include <iostream>

std::string s = "media_type=video|key_frame=1|pkt_pts=1516999|pkt_pts_time=50.566633|pkt_dts=1516999|";

int main()
{
    // parens () define a capture group to extract your value
    // so the important part here is ([^|]*)
    // - capture any number of anything that is not a |
    std::regex rx("pkt_pts_time=([^|]*)");

    std::smatch m;
    if(std::regex_search(s, m, r))
        std::cout << m.str(1); // first captured group
}

点击Working Example