1use std::ffi::{OsStr, OsString};
2use std::fmt::Write;
3use std::str::FromStr;
4use std::time::{Duration, SystemTime};
5
6use chrono::{DateTime, Datelike, Offset, Timelike, Utc};
7use chrono_tz::Tz;
8use rustc_target::spec::Os;
9
10use crate::*;
11
12pub fn system_time_to_duration<'tcx>(time: &SystemTime) -> InterpResult<'tcx, Duration> {
14 time.duration_since(SystemTime::UNIX_EPOCH)
15 .map_err(|_| err_unsup_format!("times before the Unix epoch are not supported"))
16 .into()
17}
18
19impl<'tcx> EvalContextExt<'tcx> for crate::MiriInterpCx<'tcx> {}
20pub trait EvalContextExt<'tcx>: crate::MiriInterpCxExt<'tcx> {
21 fn parse_clockid(&self, clk_id: Scalar) -> Option<TimeoutClock> {
22 let this = self.eval_context_ref();
26
27 if clk_id == this.eval_libc("CLOCK_REALTIME") {
29 return Some(TimeoutClock::RealTime);
30 } else if clk_id == this.eval_libc("CLOCK_MONOTONIC") {
31 return Some(TimeoutClock::Monotonic);
32 }
33
34 match &this.tcx.sess.target.os {
36 Os::Linux | Os::FreeBsd | Os::Android => {
37 if clk_id == this.eval_libc("CLOCK_REALTIME_COARSE") {
41 return Some(TimeoutClock::RealTime);
42 } else if clk_id == this.eval_libc("CLOCK_MONOTONIC_COARSE") {
43 return Some(TimeoutClock::Monotonic);
44 }
45 }
46 Os::MacOs => {
47 if clk_id == this.eval_libc("CLOCK_UPTIME_RAW") {
51 return Some(TimeoutClock::Monotonic);
52 }
53 }
54 _ => {}
55 }
56
57 None
58 }
59
60 fn clock_gettime(
61 &mut self,
62 clk_id_op: &OpTy<'tcx>,
63 tp_op: &OpTy<'tcx>,
64 dest: &MPlaceTy<'tcx>,
65 ) -> InterpResult<'tcx> {
66 let this = self.eval_context_mut();
67
68 this.assert_target_os_is_unix("clock_gettime");
69
70 let clk_id = this.read_scalar(clk_id_op)?;
71 let tp = this.deref_pointer_as(tp_op, this.libc_ty_layout("timespec"))?;
72
73 let duration = match this.parse_clockid(clk_id) {
74 Some(TimeoutClock::RealTime) => {
75 this.check_no_isolation("`clock_gettime` with `REALTIME` clocks")?;
76 system_time_to_duration(&SystemTime::now())?
77 }
78 Some(TimeoutClock::Monotonic) =>
79 this.machine
80 .monotonic_clock
81 .now()
82 .duration_since(this.machine.monotonic_clock.epoch()),
83 None => {
84 return this.set_last_error_and_return(LibcError("EINVAL"), dest);
85 }
86 };
87
88 let tv_sec = duration.as_secs();
89 let tv_nsec = duration.subsec_nanos();
90
91 this.write_int_fields(&[tv_sec.into(), tv_nsec.into()], &tp)?;
92 this.write_int(0, dest)?;
93
94 interp_ok(())
95 }
96
97 fn gettimeofday(
98 &mut self,
99 tv_op: &OpTy<'tcx>,
100 tz_op: &OpTy<'tcx>,
101 ) -> InterpResult<'tcx, Scalar> {
102 let this = self.eval_context_mut();
103
104 this.assert_target_os_is_unix("gettimeofday");
105 this.check_no_isolation("`gettimeofday`")?;
106
107 let tv = this.deref_pointer_as(tv_op, this.libc_ty_layout("timeval"))?;
108
109 let tz = this.read_pointer(tz_op)?;
111 if !this.ptr_is_null(tz)? {
112 return this.set_last_error_and_return_i32(LibcError("EINVAL"));
113 }
114
115 let duration = system_time_to_duration(&SystemTime::now())?;
116 let tv_sec = duration.as_secs();
117 let tv_usec = duration.subsec_micros();
118
119 this.write_int_fields(&[tv_sec.into(), tv_usec.into()], &tv)?;
120
121 interp_ok(Scalar::from_i32(0))
122 }
123
124 fn localtime_r(
128 &mut self,
129 timep: &OpTy<'tcx>,
130 result_op: &OpTy<'tcx>,
131 ) -> InterpResult<'tcx, Pointer> {
132 let this = self.eval_context_mut();
133
134 this.assert_target_os_is_unix("localtime_r");
135 this.check_no_isolation("`localtime_r`")?;
136
137 let time_layout = this.libc_ty_layout("time_t");
138 let timep = this.deref_pointer_as(timep, time_layout)?;
139 let result = this.deref_pointer_as(result_op, this.libc_ty_layout("tm"))?;
140
141 let sec_since_epoch: i64 =
144 this.read_scalar(&timep)?.to_int(time_layout.size)?.try_into().unwrap();
145 let dt_utc: DateTime<Utc> =
146 DateTime::from_timestamp(sec_since_epoch, 0).expect("Invalid timestamp");
147
148 let tz = this.get_env_var(OsStr::new("TZ"))?.unwrap_or_else(|| OsString::from("UTC"));
150 let tz = match tz.into_string() {
151 Ok(tz) => Tz::from_str(&tz).unwrap_or(Tz::UTC),
152 _ => Tz::UTC,
153 };
154
155 let dt: DateTime<Tz> = dt_utc.with_timezone(&tz);
157
158 let tm_isdst = -1;
162 this.write_int_fields_named(
163 &[
164 ("tm_sec", dt.second().into()),
165 ("tm_min", dt.minute().into()),
166 ("tm_hour", dt.hour().into()),
167 ("tm_mday", dt.day().into()),
168 ("tm_mon", dt.month0().into()),
169 ("tm_year", dt.year().strict_sub(1900).into()),
170 ("tm_wday", dt.weekday().num_days_from_sunday().into()),
171 ("tm_yday", dt.ordinal0().into()),
172 ("tm_isdst", tm_isdst),
173 ],
174 &result,
175 )?;
176
177 if !matches!(&this.tcx.sess.target.os, Os::Solaris | Os::Illumos) {
181 let offset_in_seconds = dt.offset().fix().local_minus_utc();
185 let tm_gmtoff = offset_in_seconds;
186 let mut tm_zone = String::new();
187 if offset_in_seconds < 0 {
188 tm_zone.push('-');
189 } else {
190 tm_zone.push('+');
191 }
192 let offset_hour = offset_in_seconds.abs() / 3600;
193 write!(tm_zone, "{offset_hour:02}").unwrap();
194 let offset_min = (offset_in_seconds.abs() % 3600) / 60;
195 if offset_min != 0 {
196 write!(tm_zone, "{offset_min:02}").unwrap();
197 }
198
199 tm_zone.push('\0');
201
202 let tm_zone_ptr = this.allocate_bytes_dedup(tm_zone.as_bytes())?;
204
205 this.write_pointer(tm_zone_ptr, &this.project_field_named(&result, "tm_zone")?)?;
207 this.write_int_fields_named(&[("tm_gmtoff", tm_gmtoff.into())], &result)?;
208 }
209 interp_ok(result.ptr())
210 }
211 #[allow(non_snake_case, clippy::arithmetic_side_effects)]
212 fn GetSystemTimeAsFileTime(
213 &mut self,
214 shim_name: &str,
215 LPFILETIME_op: &OpTy<'tcx>,
216 ) -> InterpResult<'tcx> {
217 let this = self.eval_context_mut();
218
219 this.assert_target_os(Os::Windows, shim_name);
220 this.check_no_isolation(shim_name)?;
221
222 let filetime = this.deref_pointer_as(LPFILETIME_op, this.windows_ty_layout("FILETIME"))?;
223
224 let duration = this.system_time_since_windows_epoch(&SystemTime::now())?;
225 let duration_ticks = this.windows_ticks_for(duration)?;
226
227 let dwLowDateTime = u32::try_from(duration_ticks & 0x00000000FFFFFFFF).unwrap();
228 let dwHighDateTime = u32::try_from((duration_ticks & 0xFFFFFFFF00000000) >> 32).unwrap();
229 this.write_int_fields(&[dwLowDateTime.into(), dwHighDateTime.into()], &filetime)?;
230
231 interp_ok(())
232 }
233
234 #[allow(non_snake_case)]
235 fn QueryPerformanceCounter(
236 &mut self,
237 lpPerformanceCount_op: &OpTy<'tcx>,
238 ) -> InterpResult<'tcx, Scalar> {
239 let this = self.eval_context_mut();
240
241 this.assert_target_os(Os::Windows, "QueryPerformanceCounter");
242
243 let duration =
246 this.machine.monotonic_clock.now().duration_since(this.machine.monotonic_clock.epoch());
247 let qpc = i64::try_from(duration.as_nanos()).map_err(|_| {
248 err_unsup_format!("programs running longer than 2^63 nanoseconds are not supported")
249 })?;
250 this.write_scalar(
251 Scalar::from_i64(qpc),
252 &this.deref_pointer_as(lpPerformanceCount_op, this.machine.layouts.i64)?,
253 )?;
254 interp_ok(Scalar::from_i32(-1)) }
256
257 #[allow(non_snake_case)]
258 fn QueryPerformanceFrequency(
259 &mut self,
260 lpFrequency_op: &OpTy<'tcx>,
261 ) -> InterpResult<'tcx, Scalar> {
262 let this = self.eval_context_mut();
263
264 this.assert_target_os(Os::Windows, "QueryPerformanceFrequency");
265
266 this.write_scalar(
272 Scalar::from_i64(1_000_000_000),
273 &this.deref_pointer_as(lpFrequency_op, this.machine.layouts.u64)?,
274 )?;
275 interp_ok(Scalar::from_i32(-1)) }
277
278 #[allow(clippy::arithmetic_side_effects)]
279 fn system_time_since_windows_epoch(&self, time: &SystemTime) -> InterpResult<'tcx, Duration> {
280 const SECONDS_TO_UNIX_EPOCH: u64 = 11_644_473_600;
284
285 interp_ok(system_time_to_duration(time)? + Duration::from_secs(SECONDS_TO_UNIX_EPOCH))
286 }
287
288 #[allow(non_snake_case, clippy::arithmetic_side_effects)]
289 fn windows_ticks_for(&self, duration: Duration) -> InterpResult<'tcx, u64> {
290 const NANOS_PER_INTERVAL: u128 = 100;
293
294 let ticks = u64::try_from(duration.as_nanos() / NANOS_PER_INTERVAL)
295 .map_err(|_| err_unsup_format!("programs running more than 2^64 Windows ticks after the Windows epoch are not supported"))?;
296 interp_ok(ticks)
297 }
298
299 fn mach_absolute_time(&self) -> InterpResult<'tcx, Scalar> {
300 let this = self.eval_context_ref();
301
302 this.assert_target_os(Os::MacOs, "mach_absolute_time");
303
304 let duration =
307 this.machine.monotonic_clock.now().duration_since(this.machine.monotonic_clock.epoch());
308 let res = u64::try_from(duration.as_nanos()).map_err(|_| {
309 err_unsup_format!("programs running longer than 2^64 nanoseconds are not supported")
310 })?;
311 interp_ok(Scalar::from_u64(res))
312 }
313
314 fn mach_timebase_info(&mut self, info_op: &OpTy<'tcx>) -> InterpResult<'tcx, Scalar> {
315 let this = self.eval_context_mut();
316
317 this.assert_target_os(Os::MacOs, "mach_timebase_info");
318
319 let info = this.deref_pointer_as(info_op, this.libc_ty_layout("mach_timebase_info"))?;
320
321 let (numerator, denom) = (1, 1);
324 this.write_int_fields(&[numerator.into(), denom.into()], &info)?;
325
326 interp_ok(Scalar::from_i32(0)) }
328
329 fn mach_wait_until(&mut self, deadline_op: &OpTy<'tcx>) -> InterpResult<'tcx, Scalar> {
330 let this = self.eval_context_mut();
331
332 this.assert_target_os(Os::MacOs, "mach_wait_until");
333
334 let deadline = this.read_scalar(deadline_op)?.to_u64()?;
335 let duration = Duration::from_nanos(deadline);
337
338 this.block_thread(
339 BlockReason::Sleep,
340 Some((TimeoutClock::Monotonic, TimeoutAnchor::Absolute, duration)),
341 callback!(
342 @capture<'tcx> {}
343 |_this, unblock: UnblockKind| {
344 assert_eq!(unblock, UnblockKind::TimedOut);
345 interp_ok(())
346 }
347 ),
348 );
349
350 interp_ok(Scalar::from_i32(0)) }
352
353 fn nanosleep(&mut self, duration: &OpTy<'tcx>, rem: &OpTy<'tcx>) -> InterpResult<'tcx, Scalar> {
354 let this = self.eval_context_mut();
355
356 this.assert_target_os_is_unix("nanosleep");
357
358 let duration = this.deref_pointer_as(duration, this.libc_ty_layout("timespec"))?;
359 let _rem = this.read_pointer(rem)?; let Some(duration) = this.read_timespec(&duration)? else {
362 return this.set_last_error_and_return_i32(LibcError("EINVAL"));
363 };
364
365 this.block_thread(
366 BlockReason::Sleep,
367 Some((TimeoutClock::Monotonic, TimeoutAnchor::Relative, duration)),
368 callback!(
369 @capture<'tcx> {}
370 |_this, unblock: UnblockKind| {
371 assert_eq!(unblock, UnblockKind::TimedOut);
372 interp_ok(())
373 }
374 ),
375 );
376 interp_ok(Scalar::from_i32(0))
377 }
378
379 fn clock_nanosleep(
380 &mut self,
381 clock_id: &OpTy<'tcx>,
382 flags: &OpTy<'tcx>,
383 timespec: &OpTy<'tcx>,
384 rem: &OpTy<'tcx>,
385 ) -> InterpResult<'tcx, Scalar> {
386 let this = self.eval_context_mut();
387 let clockid_t_size = this.libc_ty_layout("clockid_t").size;
388
389 let clock_id = this.read_scalar(clock_id)?.to_int(clockid_t_size)?;
390 let timespec = this.deref_pointer_as(timespec, this.libc_ty_layout("timespec"))?;
391 let flags = this.read_scalar(flags)?.to_i32()?;
392 let _rem = this.read_pointer(rem)?; if clock_id != this.eval_libc("CLOCK_MONOTONIC").to_int(clockid_t_size)? {
396 throw_unsup_format!("clock_nanosleep: only CLOCK_MONOTONIC is supported");
397 }
398
399 let Some(duration) = this.read_timespec(×pec)? else {
400 return this.set_last_error_and_return_i32(LibcError("EINVAL"));
401 };
402
403 let timeout_anchor = if flags == 0 {
404 TimeoutAnchor::Relative
407 } else if flags == this.eval_libc_i32("TIMER_ABSTIME") {
408 TimeoutAnchor::Absolute
411 } else {
412 throw_unsup_format!(
414 "`clock_nanosleep` unsupported flags {flags}, only no flags or \
415 TIMER_ABSTIME is supported"
416 );
417 };
418
419 this.block_thread(
420 BlockReason::Sleep,
421 Some((TimeoutClock::Monotonic, timeout_anchor, duration)),
422 callback!(
423 @capture<'tcx> {}
424 |_this, unblock: UnblockKind| {
425 assert_eq!(unblock, UnblockKind::TimedOut);
426 interp_ok(())
427 }
428 ),
429 );
430 interp_ok(Scalar::from_i32(0))
431 }
432
433 #[allow(non_snake_case)]
434 fn Sleep(&mut self, timeout: &OpTy<'tcx>) -> InterpResult<'tcx> {
435 let this = self.eval_context_mut();
436
437 this.assert_target_os(Os::Windows, "Sleep");
438
439 let timeout_ms = this.read_scalar(timeout)?.to_u32()?;
440
441 let duration = Duration::from_millis(timeout_ms.into());
442
443 this.block_thread(
444 BlockReason::Sleep,
445 Some((TimeoutClock::Monotonic, TimeoutAnchor::Relative, duration)),
446 callback!(
447 @capture<'tcx> {}
448 |_this, unblock: UnblockKind| {
449 assert_eq!(unblock, UnblockKind::TimedOut);
450 interp_ok(())
451 }
452 ),
453 );
454 interp_ok(())
455 }
456}