有人可以告诉我从流中读取boost::chrono::duration
时支持哪些格式?我没有找到任何关于此的文档。
我读了标题并从那里得到了一些信息 - 但我并不完全理解它。
一个非常小的测试程序:
#define BOOST_CHRONO_VERSION 2
#include <boost/chrono.hpp>
#include <boost/chrono/chrono_io.hpp>
#include <iostream>
#include <chrono>
using namespace boost::chrono;
int main() {
boost::chrono::seconds tp1;
std::cin >> tp1;
std::cout << symbol_format << tp1 << std::endl;
}
当我在相应标题中找到的某些单位进食时,效果很好:
$ echo "4 seconds" | ./a.out
4 s
$ echo "6 minutes" | ./a.out
360 s
$ echo "2 h" | ./a.out
7200 s
我想做的是一些组合方法 - 这不起作用:
1 minute 30 seconds
1:30 minutes
1.5 minutes
2 h 6 min 24 seconds
对我来说,它看起来解析在第一个单元之后直接停止。我尝试了一些不同的分隔符(例如&#39;:&#39;,&#39;,&#39;,...)但没有成功。
两个问题:
boost::chrono::duration
这种合并/延伸的传递方式是否可行?如果是这样,怎么样?答案 0 :(得分:3)
有关持续时间单位的列表,请查看文档duration_units.hpp或查看code
"s" / "second" / "seconds"
"min" / "minute" / "minutes"
"h" / "hour" / > "hours"
如果需要解析多个持续时间条目,可以编写类似parse_time
的函数:
#define BOOST_CHRONO_HEADER_ONLY
#define BOOST_CHRONO_VERSION 2
#include <iostream>
#include <boost/chrono.hpp>
#include <boost/algorithm/string.hpp>
#include <sstream>
#include <algorithm>
#include <stdexcept>
using namespace std;
using namespace boost;
using namespace boost::chrono;
seconds parse_time(const string& str) {
auto first = make_split_iterator(str, token_finder(algorithm::is_any_of(",")));
auto last = algorithm::split_iterator<string::const_iterator>{};
return accumulate(first, last, seconds{0}, [](const seconds& acc, const iterator_range<string::const_iterator>& r) {
stringstream ss(string(r.begin(), r.end()));
seconds d;
ss >> d;
if(!ss) {
throw std::runtime_error("invalid duration");
}
return acc + d;
});
}
int main() {
string str1 = "5 minutes, 15 seconds";
cout << parse_time(str1) << endl; // 315 seconds
string str2 = "1 h, 5 min, 30 s";
cout << parse_time(str2) << endl; // 3930 seconds
try {
string str3 = "5 m";
cout << parse_time(str3) << endl; // throws
} catch(const runtime_error& ex) {
cout << ex.what() << endl;
}
return 0;
}
parse_time
拆分分隔符,
并处理不同的持续时间。如果出现错误,则会抛出runtime_error
。