risingwave_expr_impl/scalar/
to_timestamp.rs

1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7//     http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use chrono::format::Parsed;
16use risingwave_common::types::{Date, Timestamp, Timestamptz};
17use risingwave_expr::{ExprError, Result, function};
18
19use super::timestamptz::{timestamp_at_time_zone, timestamptz_at_time_zone};
20use super::to_char::ChronoPattern;
21
22/// Parse the input string with the given chrono pattern.
23#[inline(always)]
24fn parse(s: &str, tmpl: &ChronoPattern) -> Result<Parsed> {
25    let mut parsed = Parsed::new();
26    chrono::format::parse(&mut parsed, s, tmpl.borrow_dependent().iter())?;
27
28    // chrono will only assign the default value for seconds/nanoseconds fields, and raise an error
29    // for other ones. We should specify the default value manually.
30
31    // If year is omitted, the default value should be 0001 BC.
32    if parsed.year.is_none()
33        && parsed.year_div_100.is_none()
34        && parsed.year_mod_100.is_none()
35        && parsed.isoyear.is_none()
36        && parsed.isoyear_div_100.is_none()
37        && parsed.isoyear_mod_100.is_none()
38    {
39        parsed.set_year(-1).unwrap();
40    }
41
42    // If the month is omitted, the default value should be 1 (January).
43    if parsed.month.is_none()
44        && parsed.week_from_mon.is_none()
45        && parsed.week_from_sun.is_none()
46        && parsed.isoweek.is_none()
47    {
48        parsed.set_month(1).unwrap();
49    }
50
51    // If the day is omitted, the default value should be 1.
52    if parsed.day.is_none() && parsed.ordinal.is_none() {
53        parsed.set_day(1).unwrap();
54    }
55
56    // The default value should be AM.
57    parsed.hour_div_12.get_or_insert(0);
58
59    // The default time should be 00:00.
60    parsed.hour_mod_12.get_or_insert(0);
61    parsed.minute.get_or_insert(0);
62
63    // Seconds and nanoseconds can be omitted, so we don't need to assign default value for them.
64
65    Ok(parsed)
66}
67
68#[function(
69    "char_to_timestamptz(varchar, varchar) -> timestamp",
70    prebuild = "ChronoPattern::compile($1)",
71    deprecated
72)]
73pub fn to_timestamp_legacy(s: &str, tmpl: &ChronoPattern) -> Result<Timestamp> {
74    let parsed = parse(s, tmpl)?;
75    match parsed.offset {
76        None => Ok(parsed.to_naive_datetime_with_offset(0)?.into()),
77        // If the parsed result is a physical instant, return its reading in UTC.
78        // This decision was arbitrary and we are just being backward compatible here.
79        Some(_) => timestamptz_at_time_zone(parsed.to_datetime()?.into(), "UTC"),
80    }
81}
82
83#[function(
84    "char_to_timestamptz(varchar, varchar, varchar) -> timestamptz",
85    prebuild = "ChronoPattern::compile($1)"
86)]
87pub fn to_timestamp(s: &str, timezone: &str, tmpl: &ChronoPattern) -> Result<Timestamptz> {
88    let parsed = parse(s, tmpl)?;
89    Ok(match parsed.offset {
90        Some(_) => parsed.to_datetime()?.into(),
91        // If the parsed result lacks offset info, interpret it in the implicit session time zone.
92        None => timestamp_at_time_zone(parsed.to_naive_datetime_with_offset(0)?.into(), timezone)?,
93    })
94}
95
96#[function("char_to_timestamptz(varchar, varchar) -> timestamptz", rewritten)]
97fn _to_timestamp1() {}
98
99#[function(
100    "char_to_date(varchar, varchar) -> date",
101    prebuild = "ChronoPattern::compile($1)"
102)]
103pub fn to_date(s: &str, tmpl: &ChronoPattern) -> Result<Date> {
104    let mut parsed = parse(s, tmpl)?;
105    if let Some(year) = &mut parsed.year
106        && *year < 0
107    {
108        *year += 1;
109    }
110    Ok(parsed.to_naive_date()?.into())
111}
112
113#[cfg(test)]
114mod tests {
115    use super::*;
116
117    #[test]
118    fn test_to_timestamp_legacy() {
119        // This legacy expr can no longer be build by frontend, so we test its backward compatible
120        // behavior in unit tests rather than e2e slt.
121        for (input, format, expected) in [
122            (
123                "2020-02-03 12:34:56",
124                "yyyy-mm-dd hh24:mi:ss",
125                "2020-02-03 12:34:56",
126            ),
127            (
128                "2020-02-03 12:34:56+03:00",
129                "yyyy-mm-dd hh24:mi:ss tzh:tzm",
130                "2020-02-03 09:34:56",
131            ),
132        ] {
133            let actual = to_timestamp_legacy(input, &ChronoPattern::compile(format)).unwrap();
134            assert_eq!(actual.to_string(), expected);
135        }
136    }
137}