假设我在x
变量中有毫秒数:
chrono::milliseconds x = std::chrono::duration_cast<chrono::milliseconds>(something);
如何将
x
从chrono::milliseconds
转换为uint64_t
?我努力了:
uint64_t num = std::chrono::duration_cast<uint64_t>(x);
但它说:
最佳答案
首先,您通常不应该执行此类操作。 <chrono>
提供了一个类型安全的通用单元库来处理持续时间,并且没有充分的理由逃避这种安全性和通用性。
类型安全的通用单元库不会发生的疾病,而类型不安全的整数类型确实会发生一些疾病:
// a type-safe units library prevents these mistakes:
int seconds = ...
int microseconds = seconds * 1000; // whoops
int time = seconds + microseconds; // whoops
void bar(int seconds);
bar(microseconds); // whoops
// a generic duration type prevents the need for:
unsigned sleep(unsigned seconds);
int usleep(useconds_t useconds);
int nanosleep(const struct timespec *rqtp, struct timespec *rmtp);
int attosleep(long long attoseconds); // ???
// just use:
template<typename Duration>
int sleep_for(Duration t); // users can specify sleep in terms of hours, seconds, microseconds, femetoseconds, whatever. Actual sleep duration depends on QoI, as always.
一个很好的例子是与第三方库的兼容性,该第三方库不幸地决定不在其API中使用类型安全的通用单元库。在这种情况下,应尽可能接近API边界进行转换,以最大程度地减少使用不安全类型的程度。
如此说来,当您有充分的理由时,您将像这样进行:
std::chrono::milliseconds x = ...
std::uint64_t num = x.count();
请记住,预定义的时间长度(例如
chrono::milliseconds
)使用带符号的表示形式,因此您需要注意确保该值适合转换为uint64_t
。关于c++ - 将chrono::毫秒转换为uint64_t?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28964547/