Javaの場合と同様に、現在の時刻をミリ秒単位で取得するにはどうすればよいですか?
System.currentTimeMillis()
回答:
Rust 1.8以降、クレートを使用する必要はありません。代わりに、使用することができますSystemTime
とUNIX_EPOCH
:
use std::time::{SystemTime, UNIX_EPOCH};
fn main() {
let start = SystemTime::now();
let since_the_epoch = start
.duration_since(UNIX_EPOCH)
.expect("Time went backwards");
println!("{:?}", since_the_epoch);
}
正確にミリ秒が必要な場合は、を変換できますDuration
。
let in_ms = since_the_epoch.as_millis();
let in_ms = since_the_epoch.as_secs() as u128 * 1000 +
since_the_epoch.subsec_millis() as u128;
let in_ms = since_the_epoch.as_secs() * 1000 +
since_the_epoch.subsec_nanos() as u64 / 1_000_000;
Instant
読み直したいと思うかもしれません
ミリ秒単位で単純なタイミングを実行したい場合は、次を使用できます。 std::time::Instant
ように。
use std::time::Instant;
fn main() {
let start = Instant::now();
// do stuff
let elapsed = start.elapsed();
// Debug format
println!("Debug: {:?}", elapsed);
// Format as milliseconds rounded down
// Since Rust 1.33:
println!("Millis: {} ms", elapsed.as_millis());
// Before Rust 1.33:
println!("Millis: {} ms",
(elapsed.as_secs() * 1_000) + (elapsed.subsec_nanos() / 1_000_000) as u64);
}
出力:
Debug: 10.93993ms
Millis: 10 ms
Millis: 10 ms
u128 is not supported
。
precise_time_...
相対時間を測定したいだけの場合は、そのクレートの関数も関連しています。
time::now_utc()
またはを使用する必要time::get_time()
があります。私は書くでしょうlet timespec = time::get_time(); let mills = timespec.sec + timespec.nsec as i64 / 1000 / 1000;
chrono
代わりに木枠を使用してください。
extern crate time;
fn timestamp() -> f64 {
let timespec = time::get_time();
// 1459440009.113178
let mills: f64 = timespec.sec as f64 + (timespec.nsec as f64 / 1000.0 / 1000.0 / 1000.0);
mills
}
fn main() {
let ts = timestamp();
println!("Time Stamp: {:?}", ts);
}
System.currentTimeMillis()
in Javaは、現在の時刻と1970年1月1日の深夜0時との差をミリ秒単位で返します。
Rustにtime::get_time()
は、Timespec
、1970年1月1日の深夜からの現在の時刻を秒単位でオフセットをナノ秒単位。
例(Rust 1.13を使用):
extern crate time; //Time library
fn main() {
//Get current time
let current_time = time::get_time();
//Print results
println!("Time in seconds {}\nOffset in nanoseconds {}",
current_time.sec,
current_time.nsec);
//Calculate milliseconds
let milliseconds = (current_time.sec as i64 * 1000) +
(current_time.nsec as i64 / 1000 / 1000);
println!("System.currentTimeMillis(): {}", milliseconds);
}