在ISO 8601中,持续时间以P[n]Y[n]M[n]DT[n]H[n]M[n]S
格式提供。
示例:
20秒:
PT20.0S
一年,2个月,3天,4小时,5分钟,6秒:
P1Y2M3DT4H5M6S
问题:
给定一个包含iso 8601格式持续时间的字符串。我想获得该持续时间的总秒数。标准C ++ 11中推荐的方法是什么?
说明:
例如,在boost DateTime中有ptime from_iso_string(std :: string),这里不适合。没有手工制作正则表达式会有类似的方法吗?
答案 0 :(得分:3)
使用标准的正则表达式库,你想要的正则表达式是这样的:
"P\(\([0-9]+\)Y\)?\(\([0-9]+\)M\)?\(\([0-9]+\)D\)?T\(\([0-9]+\)H\)?\(\([0-9]+\)M\)?\(\([0-9]+\(\.[0-9]+\)?S\)?"
从那里你可以抽出年数,月数等并计算总秒数。
答案 1 :(得分:1)
ISO 8601持续时间到Unix纪元时间转换器的示例代码:
#include <iostream>
#include <vector>
#include <regex>
using namespace std;
void match_duration(const std::string& input, const std::regex& re)
{
std::smatch match;
std::regex_search(input, match, re);
if (match.empty()) {
std::cout << "Pattern do NOT match" << std::endl;
return;
}
std::vector<double> vec = {0,0,0,0,0,0}; // years, months, days, hours, minutes, seconds
for (size_t i = 1; i < match.size(); ++i) {
if (match[i].matched) {
std::string str = match[i];
str.pop_back(); // remove last character.
vec[i-1] = std::stod(str);
}
}
int duration = 31556926 * vec[0] + // years
2629743.83 * vec[1] + // months
86400 * vec[2] + // days
3600 * vec[3] + // hours
60 * vec[4] + // minutes
1 * vec[5]; // seconds
if (duration == 0) {
std::cout << "Not valid input" << std::endl;
return;
}
std::cout << "duration: " << duration << " [sec.]" << std::endl;
}
int main()
{
std::cout << "-- ISO 8601 duration to Unix epoch time converter--" << std::endl;
std::cout << "Enter duration (q for quit)" << std::endl;
std::string input;
//input = "P1Y2M3DT4H5M6S";
//input = "PT4H5M6S";
//
while(true)
{
std::cin >> input;
if (!std::cin)
break;
if (input == "q")
break;
std::regex rshort("^((?!T).)*$");
if (std::regex_match(input, rshort)) // no T (Time) exist
{
std::regex r("P([[:d:]]+Y)?([[:d:]]+M)?([[:d:]]+D)?");
match_duration(input, r);
}
else {
std::regex r("P([[:d:]]+Y)?([[:d:]]+M)?([[:d:]]+D)?T([[:d:]]+H)?([[:d:]]+M)?([[:d:]]+S|[[:d:]]+\\.[[:d:]]+S)?");
match_duration(input, r);
}
}
return 0;
}