pyo3/conversions/
chrono.rs

1#![cfg(feature = "chrono")]
2
3//! Conversions to and from [chrono](https://docs.rs/chrono/)’s `Duration`,
4//! `NaiveDate`, `NaiveTime`, `DateTime<Tz>`, `FixedOffset`, and `Utc`.
5//!
6//! # Setup
7//!
8//! To use this feature, add this to your **`Cargo.toml`**:
9//!
10//! ```toml
11//! [dependencies]
12//! chrono = "0.4"
13#![doc = concat!("pyo3 = { version = \"", env!("CARGO_PKG_VERSION"),  "\", features = [\"chrono\"] }")]
14//! ```
15//!
16//! Note that you must use compatible versions of chrono and PyO3.
17//! The required chrono version may vary based on the version of PyO3.
18//!
19//! # Example: Convert a `datetime.datetime` to chrono's `DateTime<Utc>`
20//!
21//! ```rust
22//! use chrono::{DateTime, Duration, TimeZone, Utc};
23//! use pyo3::{Python, PyResult, IntoPyObject, types::PyAnyMethods};
24//!
25//! fn main() -> PyResult<()> {
26//!     pyo3::prepare_freethreaded_python();
27//!     Python::with_gil(|py| {
28//!         // Build some chrono values
29//!         let chrono_datetime = Utc.with_ymd_and_hms(2022, 1, 1, 12, 0, 0).unwrap();
30//!         let chrono_duration = Duration::seconds(1);
31//!         // Convert them to Python
32//!         let py_datetime = chrono_datetime.into_pyobject(py)?;
33//!         let py_timedelta = chrono_duration.into_pyobject(py)?;
34//!         // Do an operation in Python
35//!         let py_sum = py_datetime.call_method1("__add__", (py_timedelta,))?;
36//!         // Convert back to Rust
37//!         let chrono_sum: DateTime<Utc> = py_sum.extract()?;
38//!         println!("DateTime<Utc>: {}", chrono_datetime);
39//!         Ok(())
40//!     })
41//! }
42//! ```
43
44use crate::conversion::IntoPyObject;
45use crate::exceptions::{PyTypeError, PyUserWarning, PyValueError};
46#[cfg(Py_LIMITED_API)]
47use crate::intern;
48use crate::types::any::PyAnyMethods;
49#[cfg(not(Py_LIMITED_API))]
50use crate::types::datetime::timezone_from_offset;
51#[cfg(Py_LIMITED_API)]
52use crate::types::datetime_abi3::{check_type, timezone_utc, DatetimeTypes};
53#[cfg(Py_LIMITED_API)]
54use crate::types::IntoPyDict;
55use crate::types::PyNone;
56#[cfg(not(Py_LIMITED_API))]
57use crate::types::{
58    timezone_utc, PyDate, PyDateAccess, PyDateTime, PyDelta, PyDeltaAccess, PyTime, PyTimeAccess,
59    PyTzInfo, PyTzInfoAccess,
60};
61use crate::{ffi, Bound, FromPyObject, IntoPyObjectExt, PyAny, PyErr, PyResult, Python};
62use chrono::offset::{FixedOffset, Utc};
63use chrono::{
64    DateTime, Datelike, Duration, LocalResult, NaiveDate, NaiveDateTime, NaiveTime, Offset,
65    TimeZone, Timelike,
66};
67
68impl<'py> IntoPyObject<'py> for Duration {
69    #[cfg(Py_LIMITED_API)]
70    type Target = PyAny;
71    #[cfg(not(Py_LIMITED_API))]
72    type Target = PyDelta;
73    type Output = Bound<'py, Self::Target>;
74    type Error = PyErr;
75
76    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
77        // Total number of days
78        let days = self.num_days();
79        // Remainder of seconds
80        let secs_dur = self - Duration::days(days);
81        let secs = secs_dur.num_seconds();
82        // Fractional part of the microseconds
83        let micros = (secs_dur - Duration::seconds(secs_dur.num_seconds()))
84            .num_microseconds()
85            // This should never panic since we are just getting the fractional
86            // part of the total microseconds, which should never overflow.
87            .unwrap();
88
89        #[cfg(not(Py_LIMITED_API))]
90        {
91            // We do not need to check the days i64 to i32 cast from rust because
92            // python will panic with OverflowError.
93            // We pass true as the `normalize` parameter since we'd need to do several checks here to
94            // avoid that, and it shouldn't have a big performance impact.
95            // The seconds and microseconds cast should never overflow since it's at most the number of seconds per day
96            PyDelta::new(
97                py,
98                days.try_into().unwrap_or(i32::MAX),
99                secs.try_into()?,
100                micros.try_into()?,
101                true,
102            )
103        }
104
105        #[cfg(Py_LIMITED_API)]
106        {
107            DatetimeTypes::try_get(py)
108                .and_then(|dt| dt.timedelta.bind(py).call1((days, secs, micros)))
109        }
110    }
111}
112
113impl<'py> IntoPyObject<'py> for &Duration {
114    #[cfg(Py_LIMITED_API)]
115    type Target = PyAny;
116    #[cfg(not(Py_LIMITED_API))]
117    type Target = PyDelta;
118    type Output = Bound<'py, Self::Target>;
119    type Error = PyErr;
120
121    #[inline]
122    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
123        (*self).into_pyobject(py)
124    }
125}
126
127impl FromPyObject<'_> for Duration {
128    fn extract_bound(ob: &Bound<'_, PyAny>) -> PyResult<Duration> {
129        // Python size are much lower than rust size so we do not need bound checks.
130        // 0 <= microseconds < 1000000
131        // 0 <= seconds < 3600*24
132        // -999999999 <= days <= 999999999
133        #[cfg(not(Py_LIMITED_API))]
134        let (days, seconds, microseconds) = {
135            let delta = ob.downcast::<PyDelta>()?;
136            (
137                delta.get_days().into(),
138                delta.get_seconds().into(),
139                delta.get_microseconds().into(),
140            )
141        };
142        #[cfg(Py_LIMITED_API)]
143        let (days, seconds, microseconds) = {
144            check_type(ob, &DatetimeTypes::get(ob.py()).timedelta, "PyDelta")?;
145            (
146                ob.getattr(intern!(ob.py(), "days"))?.extract()?,
147                ob.getattr(intern!(ob.py(), "seconds"))?.extract()?,
148                ob.getattr(intern!(ob.py(), "microseconds"))?.extract()?,
149            )
150        };
151        Ok(
152            Duration::days(days)
153                + Duration::seconds(seconds)
154                + Duration::microseconds(microseconds),
155        )
156    }
157}
158
159impl<'py> IntoPyObject<'py> for NaiveDate {
160    #[cfg(Py_LIMITED_API)]
161    type Target = PyAny;
162    #[cfg(not(Py_LIMITED_API))]
163    type Target = PyDate;
164    type Output = Bound<'py, Self::Target>;
165    type Error = PyErr;
166
167    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
168        let DateArgs { year, month, day } = (&self).into();
169        #[cfg(not(Py_LIMITED_API))]
170        {
171            PyDate::new(py, year, month, day)
172        }
173
174        #[cfg(Py_LIMITED_API)]
175        {
176            DatetimeTypes::try_get(py).and_then(|dt| dt.date.bind(py).call1((year, month, day)))
177        }
178    }
179}
180
181impl<'py> IntoPyObject<'py> for &NaiveDate {
182    #[cfg(Py_LIMITED_API)]
183    type Target = PyAny;
184    #[cfg(not(Py_LIMITED_API))]
185    type Target = PyDate;
186    type Output = Bound<'py, Self::Target>;
187    type Error = PyErr;
188
189    #[inline]
190    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
191        (*self).into_pyobject(py)
192    }
193}
194
195impl FromPyObject<'_> for NaiveDate {
196    fn extract_bound(ob: &Bound<'_, PyAny>) -> PyResult<NaiveDate> {
197        #[cfg(not(Py_LIMITED_API))]
198        {
199            let date = ob.downcast::<PyDate>()?;
200            py_date_to_naive_date(date)
201        }
202        #[cfg(Py_LIMITED_API)]
203        {
204            check_type(ob, &DatetimeTypes::get(ob.py()).date, "PyDate")?;
205            py_date_to_naive_date(ob)
206        }
207    }
208}
209
210impl<'py> IntoPyObject<'py> for NaiveTime {
211    #[cfg(Py_LIMITED_API)]
212    type Target = PyAny;
213    #[cfg(not(Py_LIMITED_API))]
214    type Target = PyTime;
215    type Output = Bound<'py, Self::Target>;
216    type Error = PyErr;
217
218    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
219        let TimeArgs {
220            hour,
221            min,
222            sec,
223            micro,
224            truncated_leap_second,
225        } = (&self).into();
226
227        #[cfg(not(Py_LIMITED_API))]
228        let time = PyTime::new(py, hour, min, sec, micro, None)?;
229
230        #[cfg(Py_LIMITED_API)]
231        let time = DatetimeTypes::try_get(py)
232            .and_then(|dt| dt.time.bind(py).call1((hour, min, sec, micro)))?;
233
234        if truncated_leap_second {
235            warn_truncated_leap_second(&time);
236        }
237
238        Ok(time)
239    }
240}
241
242impl<'py> IntoPyObject<'py> for &NaiveTime {
243    #[cfg(Py_LIMITED_API)]
244    type Target = PyAny;
245    #[cfg(not(Py_LIMITED_API))]
246    type Target = PyTime;
247    type Output = Bound<'py, Self::Target>;
248    type Error = PyErr;
249
250    #[inline]
251    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
252        (*self).into_pyobject(py)
253    }
254}
255
256impl FromPyObject<'_> for NaiveTime {
257    fn extract_bound(ob: &Bound<'_, PyAny>) -> PyResult<NaiveTime> {
258        #[cfg(not(Py_LIMITED_API))]
259        {
260            let time = ob.downcast::<PyTime>()?;
261            py_time_to_naive_time(time)
262        }
263        #[cfg(Py_LIMITED_API)]
264        {
265            check_type(ob, &DatetimeTypes::get(ob.py()).time, "PyTime")?;
266            py_time_to_naive_time(ob)
267        }
268    }
269}
270
271impl<'py> IntoPyObject<'py> for NaiveDateTime {
272    #[cfg(Py_LIMITED_API)]
273    type Target = PyAny;
274    #[cfg(not(Py_LIMITED_API))]
275    type Target = PyDateTime;
276    type Output = Bound<'py, Self::Target>;
277    type Error = PyErr;
278
279    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
280        let DateArgs { year, month, day } = (&self.date()).into();
281        let TimeArgs {
282            hour,
283            min,
284            sec,
285            micro,
286            truncated_leap_second,
287        } = (&self.time()).into();
288
289        #[cfg(not(Py_LIMITED_API))]
290        let datetime = PyDateTime::new(py, year, month, day, hour, min, sec, micro, None)?;
291
292        #[cfg(Py_LIMITED_API)]
293        let datetime = DatetimeTypes::try_get(py).and_then(|dt| {
294            dt.datetime
295                .bind(py)
296                .call1((year, month, day, hour, min, sec, micro))
297        })?;
298
299        if truncated_leap_second {
300            warn_truncated_leap_second(&datetime);
301        }
302
303        Ok(datetime)
304    }
305}
306
307impl<'py> IntoPyObject<'py> for &NaiveDateTime {
308    #[cfg(Py_LIMITED_API)]
309    type Target = PyAny;
310    #[cfg(not(Py_LIMITED_API))]
311    type Target = PyDateTime;
312    type Output = Bound<'py, Self::Target>;
313    type Error = PyErr;
314
315    #[inline]
316    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
317        (*self).into_pyobject(py)
318    }
319}
320
321impl FromPyObject<'_> for NaiveDateTime {
322    fn extract_bound(dt: &Bound<'_, PyAny>) -> PyResult<NaiveDateTime> {
323        #[cfg(not(Py_LIMITED_API))]
324        let dt = dt.downcast::<PyDateTime>()?;
325        #[cfg(Py_LIMITED_API)]
326        check_type(dt, &DatetimeTypes::get(dt.py()).datetime, "PyDateTime")?;
327
328        // If the user tries to convert a timezone aware datetime into a naive one,
329        // we return a hard error. We could silently remove tzinfo, or assume local timezone
330        // and do a conversion, but better leave this decision to the user of the library.
331        #[cfg(not(Py_LIMITED_API))]
332        let has_tzinfo = dt.get_tzinfo().is_some();
333        #[cfg(Py_LIMITED_API)]
334        let has_tzinfo = !dt.getattr(intern!(dt.py(), "tzinfo"))?.is_none();
335        if has_tzinfo {
336            return Err(PyTypeError::new_err("expected a datetime without tzinfo"));
337        }
338
339        let dt = NaiveDateTime::new(py_date_to_naive_date(dt)?, py_time_to_naive_time(dt)?);
340        Ok(dt)
341    }
342}
343
344impl<'py, Tz: TimeZone> IntoPyObject<'py> for DateTime<Tz>
345where
346    Tz: IntoPyObject<'py>,
347{
348    #[cfg(Py_LIMITED_API)]
349    type Target = PyAny;
350    #[cfg(not(Py_LIMITED_API))]
351    type Target = PyDateTime;
352    type Output = Bound<'py, Self::Target>;
353    type Error = PyErr;
354
355    #[inline]
356    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
357        (&self).into_pyobject(py)
358    }
359}
360
361impl<'py, Tz: TimeZone> IntoPyObject<'py> for &DateTime<Tz>
362where
363    Tz: IntoPyObject<'py>,
364{
365    #[cfg(Py_LIMITED_API)]
366    type Target = PyAny;
367    #[cfg(not(Py_LIMITED_API))]
368    type Target = PyDateTime;
369    type Output = Bound<'py, Self::Target>;
370    type Error = PyErr;
371
372    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
373        let tz = self.timezone().into_bound_py_any(py)?;
374
375        #[cfg(not(Py_LIMITED_API))]
376        let tz = tz.downcast()?;
377
378        let DateArgs { year, month, day } = (&self.naive_local().date()).into();
379        let TimeArgs {
380            hour,
381            min,
382            sec,
383            micro,
384            truncated_leap_second,
385        } = (&self.naive_local().time()).into();
386
387        let fold = matches!(
388            self.timezone().offset_from_local_datetime(&self.naive_local()),
389            LocalResult::Ambiguous(_, latest) if self.offset().fix() == latest.fix()
390        );
391
392        #[cfg(not(Py_LIMITED_API))]
393        let datetime =
394            PyDateTime::new_with_fold(py, year, month, day, hour, min, sec, micro, Some(tz), fold)?;
395
396        #[cfg(Py_LIMITED_API)]
397        let datetime = DatetimeTypes::try_get(py).and_then(|dt| {
398            dt.datetime.bind(py).call(
399                (year, month, day, hour, min, sec, micro, tz),
400                Some(&[("fold", fold as u8)].into_py_dict(py)?),
401            )
402        })?;
403
404        if truncated_leap_second {
405            warn_truncated_leap_second(&datetime);
406        }
407
408        Ok(datetime)
409    }
410}
411
412impl<Tz: TimeZone + for<'py> FromPyObject<'py>> FromPyObject<'_> for DateTime<Tz> {
413    fn extract_bound(dt: &Bound<'_, PyAny>) -> PyResult<DateTime<Tz>> {
414        #[cfg(not(Py_LIMITED_API))]
415        let dt = dt.downcast::<PyDateTime>()?;
416        #[cfg(Py_LIMITED_API)]
417        check_type(dt, &DatetimeTypes::get(dt.py()).datetime, "PyDateTime")?;
418
419        #[cfg(not(Py_LIMITED_API))]
420        let tzinfo = dt.get_tzinfo();
421        #[cfg(Py_LIMITED_API)]
422        let tzinfo: Option<Bound<'_, PyAny>> = dt.getattr(intern!(dt.py(), "tzinfo"))?.extract()?;
423
424        let tz = if let Some(tzinfo) = tzinfo {
425            tzinfo.extract()?
426        } else {
427            return Err(PyTypeError::new_err(
428                "expected a datetime with non-None tzinfo",
429            ));
430        };
431        let naive_dt = NaiveDateTime::new(py_date_to_naive_date(dt)?, py_time_to_naive_time(dt)?);
432        match naive_dt.and_local_timezone(tz) {
433            LocalResult::Single(value) => Ok(value),
434            LocalResult::Ambiguous(earliest, latest) => {
435                #[cfg(not(Py_LIMITED_API))]
436                let fold = dt.get_fold();
437
438                #[cfg(Py_LIMITED_API)]
439                let fold = dt.getattr(intern!(dt.py(), "fold"))?.extract::<usize>()? > 0;
440
441                if fold {
442                    Ok(latest)
443                } else {
444                    Ok(earliest)
445                }
446            }
447            LocalResult::None => Err(PyValueError::new_err(format!(
448                "The datetime {:?} contains an incompatible timezone",
449                dt
450            ))),
451        }
452    }
453}
454
455impl<'py> IntoPyObject<'py> for FixedOffset {
456    #[cfg(Py_LIMITED_API)]
457    type Target = PyAny;
458    #[cfg(not(Py_LIMITED_API))]
459    type Target = PyTzInfo;
460    type Output = Bound<'py, Self::Target>;
461    type Error = PyErr;
462
463    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
464        let seconds_offset = self.local_minus_utc();
465        #[cfg(not(Py_LIMITED_API))]
466        {
467            let td = PyDelta::new(py, 0, seconds_offset, 0, true)?;
468            timezone_from_offset(&td)
469        }
470
471        #[cfg(Py_LIMITED_API)]
472        {
473            let td = Duration::seconds(seconds_offset.into()).into_pyobject(py)?;
474            DatetimeTypes::try_get(py).and_then(|dt| dt.timezone.bind(py).call1((td,)))
475        }
476    }
477}
478
479impl<'py> IntoPyObject<'py> for &FixedOffset {
480    #[cfg(Py_LIMITED_API)]
481    type Target = PyAny;
482    #[cfg(not(Py_LIMITED_API))]
483    type Target = PyTzInfo;
484    type Output = Bound<'py, Self::Target>;
485    type Error = PyErr;
486
487    #[inline]
488    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
489        (*self).into_pyobject(py)
490    }
491}
492
493impl FromPyObject<'_> for FixedOffset {
494    /// Convert python tzinfo to rust [`FixedOffset`].
495    ///
496    /// Note that the conversion will result in precision lost in microseconds as chrono offset
497    /// does not supports microseconds.
498    fn extract_bound(ob: &Bound<'_, PyAny>) -> PyResult<FixedOffset> {
499        #[cfg(not(Py_LIMITED_API))]
500        let ob = ob.downcast::<PyTzInfo>()?;
501        #[cfg(Py_LIMITED_API)]
502        check_type(ob, &DatetimeTypes::get(ob.py()).tzinfo, "PyTzInfo")?;
503
504        // Passing Python's None to the `utcoffset` function will only
505        // work for timezones defined as fixed offsets in Python.
506        // Any other timezone would require a datetime as the parameter, and return
507        // None if the datetime is not provided.
508        // Trying to convert None to a PyDelta in the next line will then fail.
509        let py_timedelta = ob.call_method1("utcoffset", (PyNone::get(ob.py()),))?;
510        if py_timedelta.is_none() {
511            return Err(PyTypeError::new_err(format!(
512                "{:?} is not a fixed offset timezone",
513                ob
514            )));
515        }
516        let total_seconds: Duration = py_timedelta.extract()?;
517        // This cast is safe since the timedelta is limited to -24 hours and 24 hours.
518        let total_seconds = total_seconds.num_seconds() as i32;
519        FixedOffset::east_opt(total_seconds)
520            .ok_or_else(|| PyValueError::new_err("fixed offset out of bounds"))
521    }
522}
523
524impl<'py> IntoPyObject<'py> for Utc {
525    #[cfg(Py_LIMITED_API)]
526    type Target = PyAny;
527    #[cfg(not(Py_LIMITED_API))]
528    type Target = PyTzInfo;
529    type Output = Bound<'py, Self::Target>;
530    type Error = PyErr;
531
532    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
533        #[cfg(Py_LIMITED_API)]
534        {
535            Ok(timezone_utc(py).into_any())
536        }
537        #[cfg(not(Py_LIMITED_API))]
538        {
539            Ok(timezone_utc(py))
540        }
541    }
542}
543
544impl<'py> IntoPyObject<'py> for &Utc {
545    #[cfg(Py_LIMITED_API)]
546    type Target = PyAny;
547    #[cfg(not(Py_LIMITED_API))]
548    type Target = PyTzInfo;
549    type Output = Bound<'py, Self::Target>;
550    type Error = PyErr;
551
552    #[inline]
553    fn into_pyobject(self, py: Python<'py>) -> Result<Self::Output, Self::Error> {
554        (*self).into_pyobject(py)
555    }
556}
557
558impl FromPyObject<'_> for Utc {
559    fn extract_bound(ob: &Bound<'_, PyAny>) -> PyResult<Utc> {
560        let py_utc = timezone_utc(ob.py());
561        if ob.eq(py_utc)? {
562            Ok(Utc)
563        } else {
564            Err(PyValueError::new_err("expected datetime.timezone.utc"))
565        }
566    }
567}
568
569struct DateArgs {
570    year: i32,
571    month: u8,
572    day: u8,
573}
574
575impl From<&NaiveDate> for DateArgs {
576    fn from(value: &NaiveDate) -> Self {
577        Self {
578            year: value.year(),
579            month: value.month() as u8,
580            day: value.day() as u8,
581        }
582    }
583}
584
585struct TimeArgs {
586    hour: u8,
587    min: u8,
588    sec: u8,
589    micro: u32,
590    truncated_leap_second: bool,
591}
592
593impl From<&NaiveTime> for TimeArgs {
594    fn from(value: &NaiveTime) -> Self {
595        let ns = value.nanosecond();
596        let checked_sub = ns.checked_sub(1_000_000_000);
597        let truncated_leap_second = checked_sub.is_some();
598        let micro = checked_sub.unwrap_or(ns) / 1000;
599        Self {
600            hour: value.hour() as u8,
601            min: value.minute() as u8,
602            sec: value.second() as u8,
603            micro,
604            truncated_leap_second,
605        }
606    }
607}
608
609fn warn_truncated_leap_second(obj: &Bound<'_, PyAny>) {
610    let py = obj.py();
611    if let Err(e) = PyErr::warn(
612        py,
613        &py.get_type::<PyUserWarning>(),
614        ffi::c_str!("ignored leap-second, `datetime` does not support leap-seconds"),
615        0,
616    ) {
617        e.write_unraisable(py, Some(obj))
618    };
619}
620
621#[cfg(not(Py_LIMITED_API))]
622fn py_date_to_naive_date(py_date: &impl PyDateAccess) -> PyResult<NaiveDate> {
623    NaiveDate::from_ymd_opt(
624        py_date.get_year(),
625        py_date.get_month().into(),
626        py_date.get_day().into(),
627    )
628    .ok_or_else(|| PyValueError::new_err("invalid or out-of-range date"))
629}
630
631#[cfg(Py_LIMITED_API)]
632fn py_date_to_naive_date(py_date: &Bound<'_, PyAny>) -> PyResult<NaiveDate> {
633    NaiveDate::from_ymd_opt(
634        py_date.getattr(intern!(py_date.py(), "year"))?.extract()?,
635        py_date.getattr(intern!(py_date.py(), "month"))?.extract()?,
636        py_date.getattr(intern!(py_date.py(), "day"))?.extract()?,
637    )
638    .ok_or_else(|| PyValueError::new_err("invalid or out-of-range date"))
639}
640
641#[cfg(not(Py_LIMITED_API))]
642fn py_time_to_naive_time(py_time: &impl PyTimeAccess) -> PyResult<NaiveTime> {
643    NaiveTime::from_hms_micro_opt(
644        py_time.get_hour().into(),
645        py_time.get_minute().into(),
646        py_time.get_second().into(),
647        py_time.get_microsecond(),
648    )
649    .ok_or_else(|| PyValueError::new_err("invalid or out-of-range time"))
650}
651
652#[cfg(Py_LIMITED_API)]
653fn py_time_to_naive_time(py_time: &Bound<'_, PyAny>) -> PyResult<NaiveTime> {
654    NaiveTime::from_hms_micro_opt(
655        py_time.getattr(intern!(py_time.py(), "hour"))?.extract()?,
656        py_time
657            .getattr(intern!(py_time.py(), "minute"))?
658            .extract()?,
659        py_time
660            .getattr(intern!(py_time.py(), "second"))?
661            .extract()?,
662        py_time
663            .getattr(intern!(py_time.py(), "microsecond"))?
664            .extract()?,
665    )
666    .ok_or_else(|| PyValueError::new_err("invalid or out-of-range time"))
667}
668
669#[cfg(test)]
670mod tests {
671    use super::*;
672    use crate::{types::PyTuple, BoundObject};
673    use std::{cmp::Ordering, panic};
674
675    #[test]
676    // Only Python>=3.9 has the zoneinfo package
677    // We skip the test on windows too since we'd need to install
678    // tzdata there to make this work.
679    #[cfg(all(Py_3_9, not(target_os = "windows")))]
680    fn test_zoneinfo_is_not_fixed_offset() {
681        use crate::ffi;
682        use crate::types::any::PyAnyMethods;
683        use crate::types::dict::PyDictMethods;
684
685        Python::with_gil(|py| {
686            let locals = crate::types::PyDict::new(py);
687            py.run(
688                ffi::c_str!("import zoneinfo; zi = zoneinfo.ZoneInfo('Europe/London')"),
689                None,
690                Some(&locals),
691            )
692            .unwrap();
693            let result: PyResult<FixedOffset> = locals.get_item("zi").unwrap().unwrap().extract();
694            assert!(result.is_err());
695            let res = result.err().unwrap();
696            // Also check the error message is what we expect
697            let msg = res.value(py).repr().unwrap().to_string();
698            assert_eq!(msg, "TypeError(\"zoneinfo.ZoneInfo(key='Europe/London') is not a fixed offset timezone\")");
699        });
700    }
701
702    #[test]
703    fn test_timezone_aware_to_naive_fails() {
704        // Test that if a user tries to convert a python's timezone aware datetime into a naive
705        // one, the conversion fails.
706        Python::with_gil(|py| {
707            let py_datetime =
708                new_py_datetime_ob(py, "datetime", (2022, 1, 1, 1, 0, 0, 0, python_utc(py)));
709            // Now test that converting a PyDateTime with tzinfo to a NaiveDateTime fails
710            let res: PyResult<NaiveDateTime> = py_datetime.extract();
711            assert_eq!(
712                res.unwrap_err().value(py).repr().unwrap().to_string(),
713                "TypeError('expected a datetime without tzinfo')"
714            );
715        });
716    }
717
718    #[test]
719    fn test_naive_to_timezone_aware_fails() {
720        // Test that if a user tries to convert a python's timezone aware datetime into a naive
721        // one, the conversion fails.
722        Python::with_gil(|py| {
723            let py_datetime = new_py_datetime_ob(py, "datetime", (2022, 1, 1, 1, 0, 0, 0));
724            // Now test that converting a PyDateTime with tzinfo to a NaiveDateTime fails
725            let res: PyResult<DateTime<Utc>> = py_datetime.extract();
726            assert_eq!(
727                res.unwrap_err().value(py).repr().unwrap().to_string(),
728                "TypeError('expected a datetime with non-None tzinfo')"
729            );
730
731            // Now test that converting a PyDateTime with tzinfo to a NaiveDateTime fails
732            let res: PyResult<DateTime<FixedOffset>> = py_datetime.extract();
733            assert_eq!(
734                res.unwrap_err().value(py).repr().unwrap().to_string(),
735                "TypeError('expected a datetime with non-None tzinfo')"
736            );
737        });
738    }
739
740    #[test]
741    fn test_invalid_types_fail() {
742        // Test that if a user tries to convert a python's timezone aware datetime into a naive
743        // one, the conversion fails.
744        Python::with_gil(|py| {
745            let none = py.None().into_bound(py);
746            assert_eq!(
747                none.extract::<Duration>().unwrap_err().to_string(),
748                "TypeError: 'NoneType' object cannot be converted to 'PyDelta'"
749            );
750            assert_eq!(
751                none.extract::<FixedOffset>().unwrap_err().to_string(),
752                "TypeError: 'NoneType' object cannot be converted to 'PyTzInfo'"
753            );
754            assert_eq!(
755                none.extract::<Utc>().unwrap_err().to_string(),
756                "ValueError: expected datetime.timezone.utc"
757            );
758            assert_eq!(
759                none.extract::<NaiveTime>().unwrap_err().to_string(),
760                "TypeError: 'NoneType' object cannot be converted to 'PyTime'"
761            );
762            assert_eq!(
763                none.extract::<NaiveDate>().unwrap_err().to_string(),
764                "TypeError: 'NoneType' object cannot be converted to 'PyDate'"
765            );
766            assert_eq!(
767                none.extract::<NaiveDateTime>().unwrap_err().to_string(),
768                "TypeError: 'NoneType' object cannot be converted to 'PyDateTime'"
769            );
770            assert_eq!(
771                none.extract::<DateTime<Utc>>().unwrap_err().to_string(),
772                "TypeError: 'NoneType' object cannot be converted to 'PyDateTime'"
773            );
774            assert_eq!(
775                none.extract::<DateTime<FixedOffset>>()
776                    .unwrap_err()
777                    .to_string(),
778                "TypeError: 'NoneType' object cannot be converted to 'PyDateTime'"
779            );
780        });
781    }
782
783    #[test]
784    fn test_pyo3_timedelta_into_pyobject() {
785        // Utility function used to check different durations.
786        // The `name` parameter is used to identify the check in case of a failure.
787        let check = |name: &'static str, delta: Duration, py_days, py_seconds, py_ms| {
788            Python::with_gil(|py| {
789                let delta = delta.into_pyobject(py).unwrap();
790                let py_delta = new_py_datetime_ob(py, "timedelta", (py_days, py_seconds, py_ms));
791                assert!(
792                    delta.eq(&py_delta).unwrap(),
793                    "{}: {} != {}",
794                    name,
795                    delta,
796                    py_delta
797                );
798            });
799        };
800
801        let delta = Duration::days(-1) + Duration::seconds(1) + Duration::microseconds(-10);
802        check("delta normalization", delta, -1, 1, -10);
803
804        // Check the minimum value allowed by PyDelta, which is different
805        // from the minimum value allowed in Duration. This should pass.
806        let delta = Duration::seconds(-86399999913600); // min
807        check("delta min value", delta, -999999999, 0, 0);
808
809        // Same, for max value
810        let delta = Duration::seconds(86399999999999) + Duration::nanoseconds(999999000); // max
811        check("delta max value", delta, 999999999, 86399, 999999);
812
813        // Also check that trying to convert an out of bound value errors.
814        Python::with_gil(|py| {
815            // min_value and max_value were deprecated in chrono 0.4.39
816            #[allow(deprecated)]
817            {
818                assert!(Duration::min_value().into_pyobject(py).is_err());
819                assert!(Duration::max_value().into_pyobject(py).is_err());
820            }
821        });
822    }
823
824    #[test]
825    fn test_pyo3_timedelta_frompyobject() {
826        // Utility function used to check different durations.
827        // The `name` parameter is used to identify the check in case of a failure.
828        let check = |name: &'static str, delta: Duration, py_days, py_seconds, py_ms| {
829            Python::with_gil(|py| {
830                let py_delta = new_py_datetime_ob(py, "timedelta", (py_days, py_seconds, py_ms));
831                let py_delta: Duration = py_delta.extract().unwrap();
832                assert_eq!(py_delta, delta, "{}: {} != {}", name, py_delta, delta);
833            })
834        };
835
836        // Check the minimum value allowed by PyDelta, which is different
837        // from the minimum value allowed in Duration. This should pass.
838        check(
839            "min py_delta value",
840            Duration::seconds(-86399999913600),
841            -999999999,
842            0,
843            0,
844        );
845        // Same, for max value
846        check(
847            "max py_delta value",
848            Duration::seconds(86399999999999) + Duration::microseconds(999999),
849            999999999,
850            86399,
851            999999,
852        );
853
854        // This check is to assert that we can't construct every possible Duration from a PyDelta
855        // since they have different bounds.
856        Python::with_gil(|py| {
857            let low_days: i32 = -1000000000;
858            // This is possible
859            assert!(panic::catch_unwind(|| Duration::days(low_days as i64)).is_ok());
860            // This panics on PyDelta::new
861            assert!(panic::catch_unwind(|| {
862                let py_delta = new_py_datetime_ob(py, "timedelta", (low_days, 0, 0));
863                if let Ok(_duration) = py_delta.extract::<Duration>() {
864                    // So we should never get here
865                }
866            })
867            .is_err());
868
869            let high_days: i32 = 1000000000;
870            // This is possible
871            assert!(panic::catch_unwind(|| Duration::days(high_days as i64)).is_ok());
872            // This panics on PyDelta::new
873            assert!(panic::catch_unwind(|| {
874                let py_delta = new_py_datetime_ob(py, "timedelta", (high_days, 0, 0));
875                if let Ok(_duration) = py_delta.extract::<Duration>() {
876                    // So we should never get here
877                }
878            })
879            .is_err());
880        });
881    }
882
883    #[test]
884    fn test_pyo3_date_into_pyobject() {
885        let eq_ymd = |name: &'static str, year, month, day| {
886            Python::with_gil(|py| {
887                let date = NaiveDate::from_ymd_opt(year, month, day)
888                    .unwrap()
889                    .into_pyobject(py)
890                    .unwrap();
891                let py_date = new_py_datetime_ob(py, "date", (year, month, day));
892                assert_eq!(
893                    date.compare(&py_date).unwrap(),
894                    Ordering::Equal,
895                    "{}: {} != {}",
896                    name,
897                    date,
898                    py_date
899                );
900            })
901        };
902
903        eq_ymd("past date", 2012, 2, 29);
904        eq_ymd("min date", 1, 1, 1);
905        eq_ymd("future date", 3000, 6, 5);
906        eq_ymd("max date", 9999, 12, 31);
907    }
908
909    #[test]
910    fn test_pyo3_date_frompyobject() {
911        let eq_ymd = |name: &'static str, year, month, day| {
912            Python::with_gil(|py| {
913                let py_date = new_py_datetime_ob(py, "date", (year, month, day));
914                let py_date: NaiveDate = py_date.extract().unwrap();
915                let date = NaiveDate::from_ymd_opt(year, month, day).unwrap();
916                assert_eq!(py_date, date, "{}: {} != {}", name, date, py_date);
917            })
918        };
919
920        eq_ymd("past date", 2012, 2, 29);
921        eq_ymd("min date", 1, 1, 1);
922        eq_ymd("future date", 3000, 6, 5);
923        eq_ymd("max date", 9999, 12, 31);
924    }
925
926    #[test]
927    fn test_pyo3_datetime_into_pyobject_utc() {
928        Python::with_gil(|py| {
929            let check_utc =
930                |name: &'static str, year, month, day, hour, minute, second, ms, py_ms| {
931                    let datetime = NaiveDate::from_ymd_opt(year, month, day)
932                        .unwrap()
933                        .and_hms_micro_opt(hour, minute, second, ms)
934                        .unwrap()
935                        .and_utc();
936                    let datetime = datetime.into_pyobject(py).unwrap();
937                    let py_datetime = new_py_datetime_ob(
938                        py,
939                        "datetime",
940                        (
941                            year,
942                            month,
943                            day,
944                            hour,
945                            minute,
946                            second,
947                            py_ms,
948                            python_utc(py),
949                        ),
950                    );
951                    assert_eq!(
952                        datetime.compare(&py_datetime).unwrap(),
953                        Ordering::Equal,
954                        "{}: {} != {}",
955                        name,
956                        datetime,
957                        py_datetime
958                    );
959                };
960
961            check_utc("regular", 2014, 5, 6, 7, 8, 9, 999_999, 999_999);
962
963            #[cfg(not(Py_GIL_DISABLED))]
964            assert_warnings!(
965                py,
966                check_utc("leap second", 2014, 5, 6, 7, 8, 59, 1_999_999, 999_999),
967                [(
968                    PyUserWarning,
969                    "ignored leap-second, `datetime` does not support leap-seconds"
970                )]
971            );
972        })
973    }
974
975    #[test]
976    fn test_pyo3_datetime_into_pyobject_fixed_offset() {
977        Python::with_gil(|py| {
978            let check_fixed_offset =
979                |name: &'static str, year, month, day, hour, minute, second, ms, py_ms| {
980                    let offset = FixedOffset::east_opt(3600).unwrap();
981                    let datetime = NaiveDate::from_ymd_opt(year, month, day)
982                        .unwrap()
983                        .and_hms_micro_opt(hour, minute, second, ms)
984                        .unwrap()
985                        .and_local_timezone(offset)
986                        .unwrap();
987                    let datetime = datetime.into_pyobject(py).unwrap();
988                    let py_tz = offset.into_pyobject(py).unwrap();
989                    let py_datetime = new_py_datetime_ob(
990                        py,
991                        "datetime",
992                        (year, month, day, hour, minute, second, py_ms, py_tz),
993                    );
994                    assert_eq!(
995                        datetime.compare(&py_datetime).unwrap(),
996                        Ordering::Equal,
997                        "{}: {} != {}",
998                        name,
999                        datetime,
1000                        py_datetime
1001                    );
1002                };
1003
1004            check_fixed_offset("regular", 2014, 5, 6, 7, 8, 9, 999_999, 999_999);
1005
1006            #[cfg(not(Py_GIL_DISABLED))]
1007            assert_warnings!(
1008                py,
1009                check_fixed_offset("leap second", 2014, 5, 6, 7, 8, 59, 1_999_999, 999_999),
1010                [(
1011                    PyUserWarning,
1012                    "ignored leap-second, `datetime` does not support leap-seconds"
1013                )]
1014            );
1015        })
1016    }
1017
1018    #[test]
1019    #[cfg(all(Py_3_9, feature = "chrono-tz", not(windows)))]
1020    fn test_pyo3_datetime_into_pyobject_tz() {
1021        Python::with_gil(|py| {
1022            let datetime = NaiveDate::from_ymd_opt(2024, 12, 11)
1023                .unwrap()
1024                .and_hms_opt(23, 3, 13)
1025                .unwrap()
1026                .and_local_timezone(chrono_tz::Tz::Europe__London)
1027                .unwrap();
1028            let datetime = datetime.into_pyobject(py).unwrap();
1029            let py_datetime = new_py_datetime_ob(
1030                py,
1031                "datetime",
1032                (
1033                    2024,
1034                    12,
1035                    11,
1036                    23,
1037                    3,
1038                    13,
1039                    0,
1040                    python_zoneinfo(py, "Europe/London"),
1041                ),
1042            );
1043            assert_eq!(datetime.compare(&py_datetime).unwrap(), Ordering::Equal);
1044        })
1045    }
1046
1047    #[test]
1048    fn test_pyo3_datetime_frompyobject_utc() {
1049        Python::with_gil(|py| {
1050            let year = 2014;
1051            let month = 5;
1052            let day = 6;
1053            let hour = 7;
1054            let minute = 8;
1055            let second = 9;
1056            let micro = 999_999;
1057            let tz_utc = timezone_utc(py);
1058            let py_datetime = new_py_datetime_ob(
1059                py,
1060                "datetime",
1061                (year, month, day, hour, minute, second, micro, tz_utc),
1062            );
1063            let py_datetime: DateTime<Utc> = py_datetime.extract().unwrap();
1064            let datetime = NaiveDate::from_ymd_opt(year, month, day)
1065                .unwrap()
1066                .and_hms_micro_opt(hour, minute, second, micro)
1067                .unwrap()
1068                .and_utc();
1069            assert_eq!(py_datetime, datetime,);
1070        })
1071    }
1072
1073    #[test]
1074    fn test_pyo3_datetime_frompyobject_fixed_offset() {
1075        Python::with_gil(|py| {
1076            let year = 2014;
1077            let month = 5;
1078            let day = 6;
1079            let hour = 7;
1080            let minute = 8;
1081            let second = 9;
1082            let micro = 999_999;
1083            let offset = FixedOffset::east_opt(3600).unwrap();
1084            let py_tz = offset.into_pyobject(py).unwrap();
1085            let py_datetime = new_py_datetime_ob(
1086                py,
1087                "datetime",
1088                (year, month, day, hour, minute, second, micro, py_tz),
1089            );
1090            let datetime_from_py: DateTime<FixedOffset> = py_datetime.extract().unwrap();
1091            let datetime = NaiveDate::from_ymd_opt(year, month, day)
1092                .unwrap()
1093                .and_hms_micro_opt(hour, minute, second, micro)
1094                .unwrap();
1095            let datetime = datetime.and_local_timezone(offset).unwrap();
1096
1097            assert_eq!(datetime_from_py, datetime);
1098            assert!(
1099                py_datetime.extract::<DateTime<Utc>>().is_err(),
1100                "Extracting Utc from nonzero FixedOffset timezone will fail"
1101            );
1102
1103            let utc = python_utc(py);
1104            let py_datetime_utc = new_py_datetime_ob(
1105                py,
1106                "datetime",
1107                (year, month, day, hour, minute, second, micro, utc),
1108            );
1109            assert!(
1110                py_datetime_utc.extract::<DateTime<FixedOffset>>().is_ok(),
1111                "Extracting FixedOffset from Utc timezone will succeed"
1112            );
1113        })
1114    }
1115
1116    #[test]
1117    fn test_pyo3_offset_fixed_into_pyobject() {
1118        Python::with_gil(|py| {
1119            // Chrono offset
1120            let offset = FixedOffset::east_opt(3600)
1121                .unwrap()
1122                .into_pyobject(py)
1123                .unwrap();
1124            // Python timezone from timedelta
1125            let td = new_py_datetime_ob(py, "timedelta", (0, 3600, 0));
1126            let py_timedelta = new_py_datetime_ob(py, "timezone", (td,));
1127            // Should be equal
1128            assert!(offset.eq(py_timedelta).unwrap());
1129
1130            // Same but with negative values
1131            let offset = FixedOffset::east_opt(-3600)
1132                .unwrap()
1133                .into_pyobject(py)
1134                .unwrap();
1135            let td = new_py_datetime_ob(py, "timedelta", (0, -3600, 0));
1136            let py_timedelta = new_py_datetime_ob(py, "timezone", (td,));
1137            assert!(offset.eq(py_timedelta).unwrap());
1138        })
1139    }
1140
1141    #[test]
1142    fn test_pyo3_offset_fixed_frompyobject() {
1143        Python::with_gil(|py| {
1144            let py_timedelta = new_py_datetime_ob(py, "timedelta", (0, 3600, 0));
1145            let py_tzinfo = new_py_datetime_ob(py, "timezone", (py_timedelta,));
1146            let offset: FixedOffset = py_tzinfo.extract().unwrap();
1147            assert_eq!(FixedOffset::east_opt(3600).unwrap(), offset);
1148        })
1149    }
1150
1151    #[test]
1152    fn test_pyo3_offset_utc_into_pyobject() {
1153        Python::with_gil(|py| {
1154            let utc = Utc.into_pyobject(py).unwrap();
1155            let py_utc = python_utc(py);
1156            assert!(utc.is(&py_utc));
1157        })
1158    }
1159
1160    #[test]
1161    fn test_pyo3_offset_utc_frompyobject() {
1162        Python::with_gil(|py| {
1163            let py_utc = python_utc(py);
1164            let py_utc: Utc = py_utc.extract().unwrap();
1165            assert_eq!(Utc, py_utc);
1166
1167            let py_timedelta = new_py_datetime_ob(py, "timedelta", (0, 0, 0));
1168            let py_timezone_utc = new_py_datetime_ob(py, "timezone", (py_timedelta,));
1169            let py_timezone_utc: Utc = py_timezone_utc.extract().unwrap();
1170            assert_eq!(Utc, py_timezone_utc);
1171
1172            let py_timedelta = new_py_datetime_ob(py, "timedelta", (0, 3600, 0));
1173            let py_timezone = new_py_datetime_ob(py, "timezone", (py_timedelta,));
1174            assert!(py_timezone.extract::<Utc>().is_err());
1175        })
1176    }
1177
1178    #[test]
1179    fn test_pyo3_time_into_pyobject() {
1180        Python::with_gil(|py| {
1181            let check_time = |name: &'static str, hour, minute, second, ms, py_ms| {
1182                let time = NaiveTime::from_hms_micro_opt(hour, minute, second, ms)
1183                    .unwrap()
1184                    .into_pyobject(py)
1185                    .unwrap();
1186                let py_time = new_py_datetime_ob(py, "time", (hour, minute, second, py_ms));
1187                assert!(
1188                    time.eq(&py_time).unwrap(),
1189                    "{}: {} != {}",
1190                    name,
1191                    time,
1192                    py_time
1193                );
1194            };
1195
1196            check_time("regular", 3, 5, 7, 999_999, 999_999);
1197
1198            #[cfg(not(Py_GIL_DISABLED))]
1199            assert_warnings!(
1200                py,
1201                check_time("leap second", 3, 5, 59, 1_999_999, 999_999),
1202                [(
1203                    PyUserWarning,
1204                    "ignored leap-second, `datetime` does not support leap-seconds"
1205                )]
1206            );
1207        })
1208    }
1209
1210    #[test]
1211    fn test_pyo3_time_frompyobject() {
1212        let hour = 3;
1213        let minute = 5;
1214        let second = 7;
1215        let micro = 999_999;
1216        Python::with_gil(|py| {
1217            let py_time = new_py_datetime_ob(py, "time", (hour, minute, second, micro));
1218            let py_time: NaiveTime = py_time.extract().unwrap();
1219            let time = NaiveTime::from_hms_micro_opt(hour, minute, second, micro).unwrap();
1220            assert_eq!(py_time, time);
1221        })
1222    }
1223
1224    fn new_py_datetime_ob<'py, A>(py: Python<'py>, name: &str, args: A) -> Bound<'py, PyAny>
1225    where
1226        A: IntoPyObject<'py, Target = PyTuple>,
1227    {
1228        py.import("datetime")
1229            .unwrap()
1230            .getattr(name)
1231            .unwrap()
1232            .call1(
1233                args.into_pyobject(py)
1234                    .map_err(Into::into)
1235                    .unwrap()
1236                    .into_bound(),
1237            )
1238            .unwrap()
1239    }
1240
1241    fn python_utc(py: Python<'_>) -> Bound<'_, PyAny> {
1242        py.import("datetime")
1243            .unwrap()
1244            .getattr("timezone")
1245            .unwrap()
1246            .getattr("utc")
1247            .unwrap()
1248    }
1249
1250    #[cfg(all(Py_3_9, feature = "chrono-tz", not(windows)))]
1251    fn python_zoneinfo<'py>(py: Python<'py>, timezone: &str) -> Bound<'py, PyAny> {
1252        py.import("zoneinfo")
1253            .unwrap()
1254            .getattr("ZoneInfo")
1255            .unwrap()
1256            .call1((timezone,))
1257            .unwrap()
1258    }
1259
1260    #[cfg(not(any(target_arch = "wasm32", Py_GIL_DISABLED)))]
1261    mod proptests {
1262        use super::*;
1263        use crate::tests::common::CatchWarnings;
1264        use crate::types::IntoPyDict;
1265        use proptest::prelude::*;
1266        use std::ffi::CString;
1267
1268        proptest! {
1269
1270            // Range is limited to 1970 to 2038 due to windows limitations
1271            #[test]
1272            fn test_pyo3_offset_fixed_frompyobject_created_in_python(timestamp in 0..(i32::MAX as i64), timedelta in -86399i32..=86399i32) {
1273                Python::with_gil(|py| {
1274
1275                    let globals = [("datetime", py.import("datetime").unwrap())].into_py_dict(py).unwrap();
1276                    let code = format!("datetime.datetime.fromtimestamp({}).replace(tzinfo=datetime.timezone(datetime.timedelta(seconds={})))", timestamp, timedelta);
1277                    let t = py.eval(&CString::new(code).unwrap(), Some(&globals), None).unwrap();
1278
1279                    // Get ISO 8601 string from python
1280                    let py_iso_str = t.call_method0("isoformat").unwrap();
1281
1282                    // Get ISO 8601 string from rust
1283                    let t = t.extract::<DateTime<FixedOffset>>().unwrap();
1284                    // Python doesn't print the seconds of the offset if they are 0
1285                    let rust_iso_str = if timedelta % 60 == 0 {
1286                        t.format("%Y-%m-%dT%H:%M:%S%:z").to_string()
1287                    } else {
1288                        t.format("%Y-%m-%dT%H:%M:%S%::z").to_string()
1289                    };
1290
1291                    // They should be equal
1292                    assert_eq!(py_iso_str.to_string(), rust_iso_str);
1293                })
1294            }
1295
1296            #[test]
1297            fn test_duration_roundtrip(days in -999999999i64..=999999999i64) {
1298                // Test roundtrip conversion rust->python->rust for all allowed
1299                // python values of durations (from -999999999 to 999999999 days),
1300                Python::with_gil(|py| {
1301                    let dur = Duration::days(days);
1302                    let py_delta = dur.into_pyobject(py).unwrap();
1303                    let roundtripped: Duration = py_delta.extract().expect("Round trip");
1304                    assert_eq!(dur, roundtripped);
1305                })
1306            }
1307
1308            #[test]
1309            fn test_fixed_offset_roundtrip(secs in -86399i32..=86399i32) {
1310                Python::with_gil(|py| {
1311                    let offset = FixedOffset::east_opt(secs).unwrap();
1312                    let py_offset = offset.into_pyobject(py).unwrap();
1313                    let roundtripped: FixedOffset = py_offset.extract().expect("Round trip");
1314                    assert_eq!(offset, roundtripped);
1315                })
1316            }
1317
1318            #[test]
1319            fn test_naive_date_roundtrip(
1320                year in 1i32..=9999i32,
1321                month in 1u32..=12u32,
1322                day in 1u32..=31u32
1323            ) {
1324                // Test roundtrip conversion rust->python->rust for all allowed
1325                // python dates (from year 1 to year 9999)
1326                Python::with_gil(|py| {
1327                    // We use to `from_ymd_opt` constructor so that we only test valid `NaiveDate`s.
1328                    // This is to skip the test if we are creating an invalid date, like February 31.
1329                    if let Some(date) = NaiveDate::from_ymd_opt(year, month, day) {
1330                        let py_date = date.into_pyobject(py).unwrap();
1331                        let roundtripped: NaiveDate = py_date.extract().expect("Round trip");
1332                        assert_eq!(date, roundtripped);
1333                    }
1334                })
1335            }
1336
1337            #[test]
1338            fn test_naive_time_roundtrip(
1339                hour in 0u32..=23u32,
1340                min in 0u32..=59u32,
1341                sec in 0u32..=59u32,
1342                micro in 0u32..=1_999_999u32
1343            ) {
1344                // Test roundtrip conversion rust->python->rust for naive times.
1345                // Python time has a resolution of microseconds, so we only test
1346                // NaiveTimes with microseconds resolution, even if NaiveTime has nanosecond
1347                // resolution.
1348                Python::with_gil(|py| {
1349                    if let Some(time) = NaiveTime::from_hms_micro_opt(hour, min, sec, micro) {
1350                        // Wrap in CatchWarnings to avoid to_object firing warning for truncated leap second
1351                        let py_time = CatchWarnings::enter(py, |_| time.into_pyobject(py)).unwrap();
1352                        let roundtripped: NaiveTime = py_time.extract().expect("Round trip");
1353                        // Leap seconds are not roundtripped
1354                        let expected_roundtrip_time = micro.checked_sub(1_000_000).map(|micro| NaiveTime::from_hms_micro_opt(hour, min, sec, micro).unwrap()).unwrap_or(time);
1355                        assert_eq!(expected_roundtrip_time, roundtripped);
1356                    }
1357                })
1358            }
1359
1360            #[test]
1361            fn test_naive_datetime_roundtrip(
1362                year in 1i32..=9999i32,
1363                month in 1u32..=12u32,
1364                day in 1u32..=31u32,
1365                hour in 0u32..=24u32,
1366                min in 0u32..=60u32,
1367                sec in 0u32..=60u32,
1368                micro in 0u32..=999_999u32
1369            ) {
1370                Python::with_gil(|py| {
1371                    let date_opt = NaiveDate::from_ymd_opt(year, month, day);
1372                    let time_opt = NaiveTime::from_hms_micro_opt(hour, min, sec, micro);
1373                    if let (Some(date), Some(time)) = (date_opt, time_opt) {
1374                        let dt = NaiveDateTime::new(date, time);
1375                        let pydt = dt.into_pyobject(py).unwrap();
1376                        let roundtripped: NaiveDateTime = pydt.extract().expect("Round trip");
1377                        assert_eq!(dt, roundtripped);
1378                    }
1379                })
1380            }
1381
1382            #[test]
1383            fn test_utc_datetime_roundtrip(
1384                year in 1i32..=9999i32,
1385                month in 1u32..=12u32,
1386                day in 1u32..=31u32,
1387                hour in 0u32..=23u32,
1388                min in 0u32..=59u32,
1389                sec in 0u32..=59u32,
1390                micro in 0u32..=1_999_999u32
1391            ) {
1392                Python::with_gil(|py| {
1393                    let date_opt = NaiveDate::from_ymd_opt(year, month, day);
1394                    let time_opt = NaiveTime::from_hms_micro_opt(hour, min, sec, micro);
1395                    if let (Some(date), Some(time)) = (date_opt, time_opt) {
1396                        let dt: DateTime<Utc> = NaiveDateTime::new(date, time).and_utc();
1397                        // Wrap in CatchWarnings to avoid into_py firing warning for truncated leap second
1398                        let py_dt = CatchWarnings::enter(py, |_| dt.into_pyobject(py)).unwrap();
1399                        let roundtripped: DateTime<Utc> = py_dt.extract().expect("Round trip");
1400                        // Leap seconds are not roundtripped
1401                        let expected_roundtrip_time = micro.checked_sub(1_000_000).map(|micro| NaiveTime::from_hms_micro_opt(hour, min, sec, micro).unwrap()).unwrap_or(time);
1402                        let expected_roundtrip_dt: DateTime<Utc> = NaiveDateTime::new(date, expected_roundtrip_time).and_utc();
1403                        assert_eq!(expected_roundtrip_dt, roundtripped);
1404                    }
1405                })
1406            }
1407
1408            #[test]
1409            fn test_fixed_offset_datetime_roundtrip(
1410                year in 1i32..=9999i32,
1411                month in 1u32..=12u32,
1412                day in 1u32..=31u32,
1413                hour in 0u32..=23u32,
1414                min in 0u32..=59u32,
1415                sec in 0u32..=59u32,
1416                micro in 0u32..=1_999_999u32,
1417                offset_secs in -86399i32..=86399i32
1418            ) {
1419                Python::with_gil(|py| {
1420                    let date_opt = NaiveDate::from_ymd_opt(year, month, day);
1421                    let time_opt = NaiveTime::from_hms_micro_opt(hour, min, sec, micro);
1422                    let offset = FixedOffset::east_opt(offset_secs).unwrap();
1423                    if let (Some(date), Some(time)) = (date_opt, time_opt) {
1424                        let dt: DateTime<FixedOffset> = NaiveDateTime::new(date, time).and_local_timezone(offset).unwrap();
1425                        // Wrap in CatchWarnings to avoid into_py firing warning for truncated leap second
1426                        let py_dt = CatchWarnings::enter(py, |_| dt.into_pyobject(py)).unwrap();
1427                        let roundtripped: DateTime<FixedOffset> = py_dt.extract().expect("Round trip");
1428                        // Leap seconds are not roundtripped
1429                        let expected_roundtrip_time = micro.checked_sub(1_000_000).map(|micro| NaiveTime::from_hms_micro_opt(hour, min, sec, micro).unwrap()).unwrap_or(time);
1430                        let expected_roundtrip_dt: DateTime<FixedOffset> = NaiveDateTime::new(date, expected_roundtrip_time).and_local_timezone(offset).unwrap();
1431                        assert_eq!(expected_roundtrip_dt, roundtripped);
1432                    }
1433                })
1434            }
1435        }
1436    }
1437}
⚠️ Internal Docs ⚠️ Not Public API 👉 Official Docs Here