从现在到下一个午夜之间获取持续时间的惯用方法是什么?
我有这样的功能:
extern crate chrono;
use chrono::prelude::*;
use time;
fn duration_until_next_midnight() -> time::Duration {
let now = Local::now(); // Fri Dec 08 2017 23:00:00 GMT-0300 (-03)
// ... how to continue??
}
它应该在1小时内生成Duration
,因为下一个午夜是 2017年12月9日星期六00:00:00 GMT-0300(-03)
答案 0 :(得分:5)
在搜索完文档后,我终于找到了缺失的链接:Date::and_hms
。
所以,实际上,它很简单:
fn main() {
let now = Local::now();
let tomorrow_midnight = (now + Duration::days(1)).date().and_hms(0, 0, 0);
let duration = tomorrow_midnight.signed_duration_since(now).to_std().unwrap();
println!("Duration between {:?} and {:?}: {:?}", now, tomorrow_midnight, duration);
}
这个想法很简单:
DateTime
增加到明天,Date
部分DateTime
Time
与and_hms
。 panic!
中有and_hms
,因此必须小心指定正确的时间。
答案 1 :(得分:2)
只需减去两个日期:午夜和现在:
extern crate chrono;
use chrono::prelude::*;
use std::time;
fn duration_until_next_midnight() -> time::Duration {
let now = Local::now();
// change to next day and reset hour to 00:00
let midnight = (now + chrono::Duration::days(1))
.with_hour(0).unwrap()
.with_minute(0).unwrap()
.with_second(0).unwrap()
.with_nanosecond(0).unwrap();
println!("Duration between {:?} and {:?}:", now, midnight);
midnight.signed_duration_since(now).to_std().unwrap()
}
fn main() {
println!("{:?}", duration_until_next_midnight())
}
根据Matthieu的要求,你可以写一些类似的东西:
fn duration_until_next_midnight() -> Duration {
let now = Local::now();
// get the NaiveDate of tomorrow
let midnight_naivedate = (now + chrono::Duration::days(1)).naive_utc().date();
// create a NaiveDateTime from it
let midnight_naivedatetime = NaiveDateTime::new(midnight_naivedate, NaiveTime::from_hms(0, 0, 0));
// get the local DateTime of midnight
let midnight: DateTime<Local> = DateTime::from_utc(midnight_naivedatetime, *now.offset());
println!("Duration between {:?} and {:?}:", now, midnight);
midnight.signed_duration_since(now).to_std().unwrap()
}
但我不确定它是否更好。
答案 2 :(得分:1)
一种方法是计算下一个午夜丢失的秒数,同时请注意time::Tm
同时考虑夏令时和时区:
tm_utcoff:i32
标识用于计算此细分时间值的时区,包括夏令时的任何调整。这是UTC以东的秒数。例如,对于美国太平洋夏令时,值为-7 * 60 * 60 = -25200。
extern crate time;
use std::time::Duration;
fn duration_until_next_midnight() -> Duration {
let tnow = time::now();
Duration::new(
(86400 - tnow.to_timespec().sec % 86400 -
i64::from(tnow.tm_utcoff)) as u64,
0,
)
}
如果你想要纳秒精度,你必须做更多的数学......