Jefffrey commented on code in PR #19540: URL: https://github.com/apache/datafusion/pull/19540#discussion_r2653238458
########## datafusion/functions/src/datetime/to_time.rs: ########## @@ -0,0 +1,403 @@ +// Licensed to the Apache Software Foundation (ASF) under one +// or more contributor license agreements. See the NOTICE file +// distributed with this work for additional information +// regarding copyright ownership. The ASF licenses this file +// to you under the Apache License, Version 2.0 (the +// "License"); you may not use this file except in compliance +// with the License. You may obtain a copy of the License at +// +// http://www.apache.org/licenses/LICENSE-2.0 +// +// Unless required by applicable law or agreed to in writing, +// software distributed under the License is distributed on an +// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY +// KIND, either express or implied. See the License for the +// specific language governing permissions and limitations +// under the License. + +use crate::datetime::common::*; +use arrow::array::builder::PrimitiveBuilder; +use arrow::array::cast::AsArray; +use arrow::array::temporal_conversions::time_to_time64ns; +use arrow::array::types::Time64NanosecondType; +use arrow::array::{Array, PrimitiveArray, StringArrayType}; +use arrow::compute::cast; +use arrow::datatypes::DataType; +use arrow::datatypes::DataType::*; +use chrono::NaiveTime; +use datafusion_common::{Result, ScalarValue, exec_err}; +use datafusion_expr::{ + ColumnarValue, Documentation, ScalarUDFImpl, Signature, Volatility, +}; +use datafusion_macros::user_doc; +use std::any::Any; +use std::sync::Arc; + +/// Default time formats to try when parsing without an explicit format +const DEFAULT_TIME_FORMATS: &[&str] = &[ + "%H:%M:%S%.f", // 12:30:45.123456789 + "%H:%M:%S", // 12:30:45 + "%H:%M", // 12:30 +]; + +#[user_doc( + doc_section(label = "Time and Date Functions"), + description = r"Converts a value to a time (`HH:MM:SS.nnnnnnnnn`). +Supports strings and timestamps as input. +Strings are parsed as `HH:MM:SS`, `HH:MM:SS.nnnnnnnnn`, or `HH:MM` if no [Chrono format](https://docs.rs/chrono/latest/chrono/format/strftime/index.html)s are provided. +Timestamps will have the time portion extracted. +Returns the corresponding time. + +Note: `to_time` returns Time64(Nanosecond), which represents the time of day in nanoseconds since midnight.", + syntax_example = "to_time('12:30:45', '%H:%M:%S')", + sql_example = r#"```sql +> select to_time('12:30:45'); ++---------------------------+ +| to_time(Utf8("12:30:45")) | ++---------------------------+ +| 12:30:45 | ++---------------------------+ +> select to_time('12-30-45', '%H-%M-%S'); ++--------------------------------------------+ +| to_time(Utf8("12-30-45"),Utf8("%H-%M-%S")) | ++--------------------------------------------+ +| 12:30:45 | ++--------------------------------------------+ +> select to_time('2024-01-15 14:30:45'::timestamp); ++--------------------------------------------------+ +| to_time(Utf8("2024-01-15 14:30:45")) | ++--------------------------------------------------+ +| 14:30:45 | ++--------------------------------------------------+ +``` + +Additional examples can be found [here](https://github.com/apache/datafusion/blob/main/datafusion-examples/examples/builtin_functions/date_time.rs) +"#, + standard_argument(name = "expression", prefix = "String or Timestamp"), + argument( + name = "format_n", + description = r"Optional [Chrono format](https://docs.rs/chrono/latest/chrono/format/strftime/index.html) strings to use to parse the expression. Formats will be tried in the order + they appear with the first successful one being returned. If none of the formats successfully parse the expression + an error will be returned." + ) +)] +#[derive(Debug, PartialEq, Eq, Hash)] +pub struct ToTimeFunc { + signature: Signature, +} + +impl Default for ToTimeFunc { + fn default() -> Self { + Self::new() + } +} + +impl ToTimeFunc { + pub fn new() -> Self { + Self { + signature: Signature::variadic_any(Volatility::Immutable), + } + } +} + +impl ScalarUDFImpl for ToTimeFunc { + fn as_any(&self) -> &dyn Any { + self + } + + fn name(&self) -> &str { + "to_time" + } + + fn signature(&self) -> &Signature { + &self.signature + } + + fn return_type(&self, _arg_types: &[DataType]) -> Result<DataType> { + Ok(Time64(arrow::datatypes::TimeUnit::Nanosecond)) + } + + fn invoke_with_args( + &self, + args: datafusion_expr::ScalarFunctionArgs, + ) -> Result<ColumnarValue> { + let args = args.args; + if args.is_empty() { + return exec_err!("to_time function requires 1 or more arguments, got 0"); + } + + // validate that any args after the first one are Utf8 + if args.len() > 1 { + validate_data_types(&args, "to_time")?; + } + + match args[0].data_type() { + Utf8View | LargeUtf8 | Utf8 => string_to_time(&args), + Null => Ok(ColumnarValue::Scalar(ScalarValue::Time64Nanosecond(None))), + // Support timestamp input by extracting time portion using Arrow cast + Timestamp(_, _) => timestamp_to_time(&args[0]), + other => { + exec_err!("Unsupported data type {} for function to_time", other) + } + } + } + + fn documentation(&self) -> Option<&Documentation> { + self.doc() + } +} + +/// Convert string arguments to time (standalone function, not a method on ToTimeFunc) +fn string_to_time(args: &[ColumnarValue]) -> Result<ColumnarValue> { + let formats = collect_formats(args)?; + + match &args[0] { + ColumnarValue::Scalar(ScalarValue::Utf8(s)) + | ColumnarValue::Scalar(ScalarValue::LargeUtf8(s)) + | ColumnarValue::Scalar(ScalarValue::Utf8View(s)) => { + let result = s + .as_ref() + .map(|s| parse_time_with_formats(s, &formats)) + .transpose()?; + Ok(ColumnarValue::Scalar(ScalarValue::Time64Nanosecond(result))) + } + ColumnarValue::Array(array) => { + let result = match array.data_type() { + Utf8 => parse_time_array(&array.as_string::<i32>(), &formats)?, + LargeUtf8 => parse_time_array(&array.as_string::<i64>(), &formats)?, + Utf8View => parse_time_array(&array.as_string_view(), &formats)?, + other => return exec_err!("Unsupported type for to_time: {other}"), + }; + Ok(ColumnarValue::Array(Arc::new(result))) + } + other => exec_err!("Unsupported argument for to_time: {other:?}"), + } +} + +/// Collect format strings from arguments, erroring on non-scalar inputs +fn collect_formats(args: &[ColumnarValue]) -> Result<Vec<&str>> { + if args.len() <= 1 { + return Ok(DEFAULT_TIME_FORMATS.to_vec()); + } + + let mut formats = Vec::with_capacity(args.len() - 1); + for (i, arg) in args[1..].iter().enumerate() { + match arg { + ColumnarValue::Scalar(ScalarValue::Utf8(Some(s))) + | ColumnarValue::Scalar(ScalarValue::LargeUtf8(Some(s))) + | ColumnarValue::Scalar(ScalarValue::Utf8View(Some(s))) => { + formats.push(s.as_str()); + } + ColumnarValue::Scalar(ScalarValue::Utf8(None)) + | ColumnarValue::Scalar(ScalarValue::LargeUtf8(None)) + | ColumnarValue::Scalar(ScalarValue::Utf8View(None)) => { + // Skip null format strings + } + ColumnarValue::Array(_) => { + return exec_err!( + "to_time format argument {} must be a scalar, not an array", + i + 2 // argument position (1-indexed, +1 for the first arg) + ); + } + other => { + return exec_err!( + "to_time format argument {} has unsupported type: {:?}", + i + 2, + other.data_type() + ); + } + } + } + Ok(formats) +} + +/// Extract time portion from timestamp using Arrow cast kernel +fn timestamp_to_time(arg: &ColumnarValue) -> Result<ColumnarValue> { + let target_type = Time64(arrow::datatypes::TimeUnit::Nanosecond); + + match arg { + ColumnarValue::Scalar(scalar) => { + // Convert scalar to array of size 1, cast, then extract result + let array = scalar.to_array()?; + let time_array = cast(&array, &target_type)?; + let time_value = ScalarValue::try_from_array(&time_array, 0)?; + Ok(ColumnarValue::Scalar(time_value)) + } + ColumnarValue::Array(array) => { + let time_array = cast(array, &target_type)?; + Ok(ColumnarValue::Array(time_array)) + } + } Review Comment: ```suggestion Ok(arg.cast_to(&Time64(arrow::datatypes::TimeUnit::Nanosecond), None)?) ``` https://docs.rs/datafusion/latest/datafusion/logical_expr/enum.ColumnarValue.html#method.cast_to ########## datafusion/sqllogictest/test_files/datetime/timestamps.slt: ########## @@ -3285,6 +3285,199 @@ select make_time(22, 1, ''); query error Expect TypeSignatureClass::Native\(LogicalType\(Native\(Int32\), Int32\)\) but received NativeType::Float64, DataType: Float64 select make_time(arrow_cast(22, 'Float64'), 1, ''); +########## +## to_time tests +########## + +# Basic time parsing + +query D +select to_time('12:30:45'); +---- +12:30:45 + +query D +select to_time('00:00:00'); +---- +00:00:00 + +query D +select to_time('23:59:59'); +---- +23:59:59 + +query D +select to_time('08:15:30'); +---- +08:15:30 + +# Time with fractional seconds + +query D +select to_time('12:30:45.123'); +---- +12:30:45.123 + +query D +select to_time('12:30:45.123456789'); +---- +12:30:45.123456789 + +# Time with custom format + +query D +select to_time('12-30-45', '%H-%M-%S'); +---- +12:30:45 + +query D +select to_time('14/25/30', '%H/%M/%S'); +---- +14:25:30 + +query D +select to_time('02:30:45 PM', '%I:%M:%S %p'); +---- +14:30:45 + +# Null handling + +query D +select to_time(null); +---- +NULL + +# Return type check + +query T +select arrow_typeof(to_time('12:30:45')); +---- +Time64(ns) + +# Table input + +statement ok +create table time_strings (time_str varchar) as values + ('12:30:45'), + ('23:59:59'), + ('00:00:00'); + +query D +select to_time(time_str) from time_strings; +---- +12:30:45 +23:59:59 +00:00:00 + +statement ok +drop table time_strings; + +# Error cases + +query error Error parsing 'not_a_time' as time +select to_time('not_a_time'); + +query error Error parsing '25:00:00' as time +select to_time('25:00:00'); + +# Out of range minutes +query error Error parsing '12:60:00' as time +select to_time('12:60:00'); + +# Out of range seconds (61 is invalid, 60 is allowed as leap second) +query error Error parsing '12:30:61' as time +select to_time('12:30:61'); + +query error does not support zero arguments +select to_time(); + +# HH:MM default parsing (no seconds) + +query D +select to_time('14:30'); +---- +14:30:00 + +query D +select to_time('09:05'); +---- +09:05:00 + +query D +select to_time('00:00'); +---- +00:00:00 + +# Timestamp input - extract time portion + +query D +select to_time(to_timestamp('2024-01-15 14:30:45')); +---- +14:30:45 + +query D +select to_time('2024-03-20 09:15:30'::timestamp); +---- +09:15:30 + +query D +select to_time('2024-06-15 23:59:59.123456789'::timestamp); +---- +23:59:59.123456789 + +query D +select to_time('2024-01-01 00:00:00'::timestamp); +---- +00:00:00 + +# Timestamp with timezone + +query D +select to_time(to_timestamp('2024-01-15T14:30:45+00:00')); +---- +14:30:45 + +# Null timestamp + +query D +select to_time(null::timestamp); +---- +NULL + +# Return type check with timestamp input + +query T +select arrow_typeof(to_time(to_timestamp('2024-01-15 12:30:45'))); +---- +Time64(ns) + +# Timestamp with non-UTC timezone (America/New_York = -05:00) + +query D +select to_time(to_timestamp('2024-01-15T14:30:45-05:00')); +---- +19:30:45 + +# Timezone test using timestamp value directly +# The timestamp is converted from -05:00 to UTC, so 14:30:45-05:00 = 19:30:45 UTC + +query D +select to_time('2024-03-20 09:15:30'::timestamp AT TIME ZONE 'America/Los_Angeles'); +---- +09:15:30 Review Comment: These look a little odd to me; so if we specify a timestamp with an offset like `-05:00` then it returns the UTC time, but if we use `AT TIME ZONE` it returns the local time for `America/Los_Angeles`? Am I missing something here, or is it inconsistent? ########## datafusion/functions/src/datetime/to_time.rs: ########## @@ -0,0 +1,582 @@ +// Licensed to the Apache Software Foundation (ASF) under one +// or more contributor license agreements. See the NOTICE file +// distributed with this work for additional information +// regarding copyright ownership. The ASF licenses this file +// to you under the Apache License, Version 2.0 (the +// "License"); you may not use this file except in compliance +// with the License. You may obtain a copy of the License at +// +// http://www.apache.org/licenses/LICENSE-2.0 +// +// Unless required by applicable law or agreed to in writing, +// software distributed under the License is distributed on an +// "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY +// KIND, either express or implied. See the License for the +// specific language governing permissions and limitations +// under the License. + +use crate::datetime::common::*; +use arrow::array::builder::PrimitiveBuilder; +use arrow::array::cast::AsArray; +use arrow::array::temporal_conversions::NANOSECONDS; +use arrow::array::types::Time64NanosecondType; +use arrow::array::{Array, PrimitiveArray, StringArrayType}; +use arrow::datatypes::DataType; +use arrow::datatypes::DataType::*; +use chrono::{NaiveTime, Timelike}; +use datafusion_common::{Result, ScalarValue, exec_err}; +use datafusion_expr::{ + ColumnarValue, Documentation, ScalarUDFImpl, Signature, Volatility, +}; +use datafusion_macros::user_doc; +use std::any::Any; +use std::sync::Arc; + +/// Nanoseconds per second (1 billion) +const NANOS_PER_SECOND: i64 = NANOSECONDS; +/// Nanoseconds per minute +const NANOS_PER_MINUTE: i64 = 60 * NANOS_PER_SECOND; +/// Nanoseconds per hour +const NANOS_PER_HOUR: i64 = 60 * NANOS_PER_MINUTE; +/// Nanoseconds per day (used for extracting time from timestamp) +const NANOS_PER_DAY: i64 = 24 * NANOS_PER_HOUR; + +/// Default time formats to try when parsing without an explicit format +const DEFAULT_TIME_FORMATS: &[&str] = &[ + "%H:%M:%S%.f", // 12:30:45.123456789 + "%H:%M:%S", // 12:30:45 + "%H:%M", // 12:30 +]; + +#[user_doc( + doc_section(label = "Time and Date Functions"), + description = r"Converts a value to a time (`HH:MM:SS.nnnnnnnnn`). +Supports strings and timestamps as input. +Strings are parsed as `HH:MM:SS`, `HH:MM:SS.nnnnnnnnn`, or `HH:MM` if no [Chrono format](https://docs.rs/chrono/latest/chrono/format/strftime/index.html)s are provided. +Timestamps will have the time portion extracted. +Returns the corresponding time. + +Note: `to_time` returns Time64(Nanosecond), which represents the time of day in nanoseconds since midnight.", + syntax_example = "to_time('12:30:45', '%H:%M:%S')", + sql_example = r#"```sql +> select to_time('12:30:45'); ++---------------------------+ +| to_time(Utf8("12:30:45")) | ++---------------------------+ +| 12:30:45 | ++---------------------------+ +> select to_time('12-30-45', '%H-%M-%S'); ++--------------------------------------------+ +| to_time(Utf8("12-30-45"),Utf8("%H-%M-%S")) | ++--------------------------------------------+ +| 12:30:45 | ++--------------------------------------------+ +> select to_time('2024-01-15 14:30:45'::timestamp); ++--------------------------------------------------+ +| to_time(Utf8("2024-01-15 14:30:45")) | ++--------------------------------------------------+ +| 14:30:45 | ++--------------------------------------------------+ +``` + +Additional examples can be found [here](https://github.com/apache/datafusion/blob/main/datafusion-examples/examples/builtin_functions/date_time.rs) +"#, + standard_argument(name = "expression", prefix = "String or Timestamp"), + argument( + name = "format_n", + description = r"Optional [Chrono format](https://docs.rs/chrono/latest/chrono/format/strftime/index.html) strings to use to parse the expression. Formats will be tried in the order + they appear with the first successful one being returned. If none of the formats successfully parse the expression + an error will be returned." + ) +)] +#[derive(Debug, PartialEq, Eq, Hash)] +pub struct ToTimeFunc { + signature: Signature, +} + +impl Default for ToTimeFunc { + fn default() -> Self { + Self::new() + } +} + +impl ToTimeFunc { + pub fn new() -> Self { + Self { + signature: Signature::variadic_any(Volatility::Immutable), + } + } + + fn to_time(&self, args: &[ColumnarValue]) -> Result<ColumnarValue> { + let formats: Vec<&str> = if args.len() > 1 { + // Collect format strings from arguments + args[1..] + .iter() + .filter_map(|arg| { + if let ColumnarValue::Scalar(ScalarValue::Utf8(Some(s))) + | ColumnarValue::Scalar(ScalarValue::LargeUtf8(Some(s))) + | ColumnarValue::Scalar(ScalarValue::Utf8View(Some(s))) = arg + { + Some(s.as_str()) + } else { + None + } + }) + .collect() + } else { + DEFAULT_TIME_FORMATS.to_vec() + }; + + match &args[0] { + ColumnarValue::Scalar(ScalarValue::Utf8(s)) + | ColumnarValue::Scalar(ScalarValue::LargeUtf8(s)) + | ColumnarValue::Scalar(ScalarValue::Utf8View(s)) => { + let result = s + .as_ref() + .map(|s| parse_time_with_formats(s, &formats)) + .transpose()?; + Ok(ColumnarValue::Scalar(ScalarValue::Time64Nanosecond(result))) + } + ColumnarValue::Array(array) => { + let result = match array.data_type() { + Utf8 => parse_time_array(&array.as_string::<i32>(), &formats)?, + LargeUtf8 => parse_time_array(&array.as_string::<i64>(), &formats)?, + Utf8View => parse_time_array(&array.as_string_view(), &formats)?, + other => return exec_err!("Unsupported type for to_time: {}", other), + }; + Ok(ColumnarValue::Array(Arc::new(result))) + } + other => exec_err!("Unsupported argument for to_time: {:?}", other), + } + } +} + +impl ScalarUDFImpl for ToTimeFunc { + fn as_any(&self) -> &dyn Any { + self + } + + fn name(&self) -> &str { + "to_time" + } + + fn signature(&self) -> &Signature { + &self.signature + } + + fn return_type(&self, _arg_types: &[DataType]) -> Result<DataType> { + Ok(Time64(arrow::datatypes::TimeUnit::Nanosecond)) + } + + fn invoke_with_args( + &self, + args: datafusion_expr::ScalarFunctionArgs, + ) -> Result<ColumnarValue> { + let args = args.args; + if args.is_empty() { + return exec_err!("to_time function requires 1 or more arguments, got 0"); + } + + // validate that any args after the first one are Utf8 + if args.len() > 1 { + validate_data_types(&args, "to_time")?; + } + + match args[0].data_type() { + Utf8View | LargeUtf8 | Utf8 => self.to_time(&args), + Null => Ok(ColumnarValue::Scalar(ScalarValue::Time64Nanosecond(None))), + // Support timestamp input by extracting time portion + Timestamp(_, _) => { + let nanos = extract_time_from_timestamp(&args[0])?; + Ok(nanos) + } + other => { + exec_err!("Unsupported data type {} for function to_time", other) + } + } + } + + fn documentation(&self) -> Option<&Documentation> { + self.doc() + } +} + +/// Parse time array using the provided formats +fn parse_time_array<'a, A: StringArrayType<'a>>( + array: &A, + formats: &[&str], +) -> Result<PrimitiveArray<Time64NanosecondType>> { + let mut builder: PrimitiveBuilder<Time64NanosecondType> = + PrimitiveArray::builder(array.len()); + + for i in 0..array.len() { + if array.is_null(i) { + builder.append_null(); + } else { + let s = array.value(i); + let nanos = parse_time_with_formats(s, formats)?; + builder.append_value(nanos); + } + } + + Ok(builder.finish()) +} + +/// Parse time string using provided formats +fn parse_time_with_formats(s: &str, formats: &[&str]) -> Result<i64> { + for format in formats { + if let Ok(time) = NaiveTime::parse_from_str(s, format) { + return Ok(time_to_nanos(time)); + } + } + exec_err!( + "Error parsing '{}' as time. Tried formats: {:?}", + s, + formats + ) +} + +/// Convert NaiveTime to nanoseconds since midnight +fn time_to_nanos(time: NaiveTime) -> i64 { + let hours = time.hour() as i64; + let minutes = time.minute() as i64; + let seconds = time.second() as i64; + let nanos = time.nanosecond() as i64; + + hours * NANOS_PER_HOUR + + minutes * NANOS_PER_MINUTE + + seconds * NANOS_PER_SECOND + + nanos +} + +/// Extract time portion from timestamp (nanoseconds since midnight) +fn extract_time_from_timestamp(arg: &ColumnarValue) -> Result<ColumnarValue> { + match arg { + ColumnarValue::Scalar(scalar) => { + let nanos = match scalar { + ScalarValue::TimestampNanosecond(Some(ts), _) => *ts % NANOS_PER_DAY, + ScalarValue::TimestampMicrosecond(Some(ts), _) => { + (*ts * 1_000) % NANOS_PER_DAY + } + ScalarValue::TimestampMillisecond(Some(ts), _) => { + (*ts * 1_000_000) % NANOS_PER_DAY + } + ScalarValue::TimestampSecond(Some(ts), _) => { + (*ts * NANOS_PER_SECOND) % NANOS_PER_DAY + } + ScalarValue::TimestampNanosecond(None, _) + | ScalarValue::TimestampMicrosecond(None, _) + | ScalarValue::TimestampMillisecond(None, _) + | ScalarValue::TimestampSecond(None, _) => { + return Ok(ColumnarValue::Scalar(ScalarValue::Time64Nanosecond( + None, + ))); + } + _ => return exec_err!("Unsupported timestamp type for to_time"), + }; + // Handle negative timestamps (before epoch) - normalize to positive time + let normalized_nanos = if nanos < 0 { + nanos + NANOS_PER_DAY + } else { + nanos + }; + Ok(ColumnarValue::Scalar(ScalarValue::Time64Nanosecond(Some( + normalized_nanos, + )))) + } + ColumnarValue::Array(array) => { + let len = array.len(); + let mut builder: PrimitiveBuilder<Time64NanosecondType> = + PrimitiveArray::builder(len); + + match array.data_type() { + Timestamp(arrow::datatypes::TimeUnit::Nanosecond, _) => { + let ts_array = + array.as_primitive::<arrow::datatypes::TimestampNanosecondType>(); + for i in 0..len { + if ts_array.is_null(i) { + builder.append_null(); + } else { + let nanos = ts_array.value(i) % NANOS_PER_DAY; + let normalized = if nanos < 0 { + nanos + NANOS_PER_DAY + } else { + nanos + }; + builder.append_value(normalized); + } + } + } + Timestamp(arrow::datatypes::TimeUnit::Microsecond, _) => { + let ts_array = array + .as_primitive::<arrow::datatypes::TimestampMicrosecondType>(); + for i in 0..len { + if ts_array.is_null(i) { + builder.append_null(); + } else { + let nanos = (ts_array.value(i) * 1_000) % NANOS_PER_DAY; + let normalized = if nanos < 0 { + nanos + NANOS_PER_DAY + } else { + nanos + }; + builder.append_value(normalized); + } + } + } + Timestamp(arrow::datatypes::TimeUnit::Millisecond, _) => { + let ts_array = array + .as_primitive::<arrow::datatypes::TimestampMillisecondType>(); + for i in 0..len { + if ts_array.is_null(i) { + builder.append_null(); + } else { + let nanos = (ts_array.value(i) * 1_000_000) % NANOS_PER_DAY; + let normalized = if nanos < 0 { + nanos + NANOS_PER_DAY + } else { + nanos + }; + builder.append_value(normalized); + } + } + } + Timestamp(arrow::datatypes::TimeUnit::Second, _) => { + let ts_array = + array.as_primitive::<arrow::datatypes::TimestampSecondType>(); + for i in 0..len { + if ts_array.is_null(i) { + builder.append_null(); + } else { + let nanos = + (ts_array.value(i) * NANOS_PER_SECOND) % NANOS_PER_DAY; + let normalized = if nanos < 0 { + nanos + NANOS_PER_DAY + } else { + nanos + }; + builder.append_value(normalized); + } + } + } + _ => return exec_err!("Unsupported timestamp type for to_time"), + } + Ok(ColumnarValue::Array(Arc::new(builder.finish()))) + } + } +} + +#[cfg(test)] +mod tests { Review Comment: I feel all of these tests can be moved to SLT instead -- This is an automated message from the Apache Git Service. To respond to the message, please log on to GitHub and use the URL above to go to the specific comment. To unsubscribe, e-mail: [email protected] For queries about this service, please contact Infrastructure at: [email protected] --------------------------------------------------------------------- To unsubscribe, e-mail: [email protected] For additional commands, e-mail: [email protected]
