forked from apache/datafusion-comet
-
Notifications
You must be signed in to change notification settings - Fork 0
Expand file tree
/
Copy pathtimestamp_trunc.rs
More file actions
179 lines (166 loc) · 6.61 KB
/
timestamp_trunc.rs
File metadata and controls
179 lines (166 loc) · 6.61 KB
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
// 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::utils::array_with_timezone;
use arrow::datatypes::{DataType, Schema, TimeUnit::Microsecond};
use arrow::record_batch::RecordBatch;
use datafusion::common::{DataFusionError, ScalarValue, ScalarValue::Utf8};
use datafusion::logical_expr::ColumnarValue;
use datafusion::physical_expr::PhysicalExpr;
use std::hash::Hash;
use std::{
any::Any,
fmt::{Debug, Display, Formatter},
sync::Arc,
};
use crate::kernels::temporal::{timestamp_trunc_array_fmt_dyn, timestamp_trunc_dyn};
#[derive(Debug, Eq)]
pub struct TimestampTruncExpr {
/// An array with DataType::Timestamp(TimeUnit::Microsecond, None)
child: Arc<dyn PhysicalExpr>,
/// Scalar UTF8 string matching the valid values in Spark SQL: https://spark.apache.org/docs/latest/api/sql/index.html#date_trunc
format: Arc<dyn PhysicalExpr>,
/// String containing a timezone name. The name must be found in the standard timezone
/// database (https://en.wikipedia.org/wiki/List_of_tz_database_time_zones). The string is
/// later parsed into a chrono::TimeZone.
/// Timestamp arrays in this implementation are kept in arrays of UTC timestamps (in micros)
/// along with a single value for the associated TimeZone. The timezone offset is applied
/// just before any operations on the timestamp
timezone: String,
}
impl Hash for TimestampTruncExpr {
fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
self.child.hash(state);
self.format.hash(state);
self.timezone.hash(state);
}
}
impl PartialEq for TimestampTruncExpr {
fn eq(&self, other: &Self) -> bool {
self.child.eq(&other.child)
&& self.format.eq(&other.format)
&& self.timezone.eq(&other.timezone)
}
}
impl TimestampTruncExpr {
pub fn new(
child: Arc<dyn PhysicalExpr>,
format: Arc<dyn PhysicalExpr>,
timezone: String,
) -> Self {
TimestampTruncExpr {
child,
format,
timezone,
}
}
}
impl Display for TimestampTruncExpr {
fn fmt(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
write!(
f,
"TimestampTrunc [child:{}, format:{}, timezone: {}]",
self.child, self.format, self.timezone
)
}
}
impl PhysicalExpr for TimestampTruncExpr {
fn as_any(&self) -> &dyn Any {
self
}
fn fmt_sql(&self, f: &mut Formatter<'_>) -> std::fmt::Result {
Display::fmt(self, f)
}
fn data_type(&self, input_schema: &Schema) -> datafusion::common::Result<DataType> {
match self.child.data_type(input_schema)? {
DataType::Dictionary(key_type, _) => Ok(DataType::Dictionary(
key_type,
Box::new(DataType::Timestamp(Microsecond, None)),
)),
_ => Ok(DataType::Timestamp(Microsecond, None)),
}
}
fn nullable(&self, _: &Schema) -> datafusion::common::Result<bool> {
Ok(true)
}
fn evaluate(&self, batch: &RecordBatch) -> datafusion::common::Result<ColumnarValue> {
let timestamp = self.child.evaluate(batch)?;
let format = self.format.evaluate(batch)?;
let tz = self.timezone.clone();
match (timestamp, format) {
(ColumnarValue::Array(ts), ColumnarValue::Scalar(Utf8(Some(format)))) => {
// For TimestampNTZ (Timestamp(Microsecond, None)), skip timezone conversion.
// NTZ values are timezone-independent and truncation should operate directly
// on the naive microsecond values without any timezone resolution.
let is_ntz = matches!(ts.data_type(), DataType::Timestamp(Microsecond, None));
let ts = if is_ntz {
ts
} else {
array_with_timezone(
ts,
tz.clone(),
Some(&DataType::Timestamp(Microsecond, Some(tz.into()))),
)?
};
let result = timestamp_trunc_dyn(&ts, format)?;
Ok(ColumnarValue::Array(result))
}
(ColumnarValue::Array(ts), ColumnarValue::Array(formats)) => {
let is_ntz = matches!(ts.data_type(), DataType::Timestamp(Microsecond, None));
let ts = if is_ntz {
ts
} else {
array_with_timezone(
ts,
tz.clone(),
Some(&DataType::Timestamp(Microsecond, Some(tz.into()))),
)?
};
let result = timestamp_trunc_array_fmt_dyn(&ts, &formats)?;
Ok(ColumnarValue::Array(result))
}
(ColumnarValue::Scalar(ts_scalar), ColumnarValue::Scalar(Utf8(Some(format)))) => {
let ts_arr = ts_scalar.to_array()?;
let ts = array_with_timezone(
ts_arr,
tz.clone(),
Some(&DataType::Timestamp(Microsecond, Some(tz.into()))),
)?;
let result = timestamp_trunc_dyn(&ts, format)?;
let scalar = ScalarValue::try_from_array(&result, 0)?;
Ok(ColumnarValue::Scalar(scalar))
}
_ => Err(DataFusionError::Execution(
"Invalid input to function TimestampTrunc. \
Expected (Timestamp, Utf8)"
.to_string(),
)),
}
}
fn children(&self) -> Vec<&Arc<dyn PhysicalExpr>> {
vec![&self.child]
}
fn with_new_children(
self: Arc<Self>,
children: Vec<Arc<dyn PhysicalExpr>>,
) -> Result<Arc<dyn PhysicalExpr>, DataFusionError> {
Ok(Arc::new(TimestampTruncExpr::new(
Arc::clone(&children[0]),
Arc::clone(&self.format),
self.timezone.clone(),
)))
}
}