1use std::any::Any;
19use std::fmt;
20use std::hash::Hash;
21use std::sync::Arc;
22
23use crate::PhysicalExpr;
24use arrow::compute;
25use arrow::compute::CastOptions;
26use arrow::datatypes::{DataType, FieldRef, Schema};
27use arrow::record_batch::RecordBatch;
28use compute::can_cast_types;
29use datafusion_common::format::DEFAULT_FORMAT_OPTIONS;
30use datafusion_common::{not_impl_err, Result};
31use datafusion_expr::ColumnarValue;
32
33#[derive(Debug, Eq)]
35pub struct TryCastExpr {
36 expr: Arc<dyn PhysicalExpr>,
38 cast_type: DataType,
40}
41
42impl PartialEq for TryCastExpr {
44 fn eq(&self, other: &Self) -> bool {
45 self.expr.eq(&other.expr) && self.cast_type == other.cast_type
46 }
47}
48
49impl Hash for TryCastExpr {
50 fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
51 self.expr.hash(state);
52 self.cast_type.hash(state);
53 }
54}
55
56impl TryCastExpr {
57 pub fn new(expr: Arc<dyn PhysicalExpr>, cast_type: DataType) -> Self {
59 Self { expr, cast_type }
60 }
61
62 pub fn expr(&self) -> &Arc<dyn PhysicalExpr> {
64 &self.expr
65 }
66
67 pub fn cast_type(&self) -> &DataType {
69 &self.cast_type
70 }
71}
72
73impl fmt::Display for TryCastExpr {
74 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
75 write!(f, "TRY_CAST({} AS {:?})", self.expr, self.cast_type)
76 }
77}
78
79impl PhysicalExpr for TryCastExpr {
80 fn as_any(&self) -> &dyn Any {
82 self
83 }
84
85 fn data_type(&self, _input_schema: &Schema) -> Result<DataType> {
86 Ok(self.cast_type.clone())
87 }
88
89 fn nullable(&self, _input_schema: &Schema) -> Result<bool> {
90 Ok(true)
91 }
92
93 fn evaluate(&self, batch: &RecordBatch) -> Result<ColumnarValue> {
94 let value = self.expr.evaluate(batch)?;
95 let options = CastOptions {
96 safe: true,
97 format_options: DEFAULT_FORMAT_OPTIONS,
98 };
99 value.cast_to(&self.cast_type, Some(&options))
100 }
101
102 fn return_field(&self, input_schema: &Schema) -> Result<FieldRef> {
103 self.expr
104 .return_field(input_schema)
105 .map(|f| f.as_ref().clone().with_data_type(self.cast_type.clone()))
106 .map(Arc::new)
107 }
108
109 fn children(&self) -> Vec<&Arc<dyn PhysicalExpr>> {
110 vec![&self.expr]
111 }
112
113 fn with_new_children(
114 self: Arc<Self>,
115 children: Vec<Arc<dyn PhysicalExpr>>,
116 ) -> Result<Arc<dyn PhysicalExpr>> {
117 Ok(Arc::new(TryCastExpr::new(
118 Arc::clone(&children[0]),
119 self.cast_type.clone(),
120 )))
121 }
122
123 fn fmt_sql(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
124 write!(f, "TRY_CAST(")?;
125 self.expr.fmt_sql(f)?;
126 write!(f, " AS {:?})", self.cast_type)
127 }
128}
129
130pub fn try_cast(
135 expr: Arc<dyn PhysicalExpr>,
136 input_schema: &Schema,
137 cast_type: DataType,
138) -> Result<Arc<dyn PhysicalExpr>> {
139 let expr_type = expr.data_type(input_schema)?;
140 if expr_type == cast_type {
141 Ok(Arc::clone(&expr))
142 } else if can_cast_types(&expr_type, &cast_type) {
143 Ok(Arc::new(TryCastExpr::new(expr, cast_type)))
144 } else {
145 not_impl_err!("Unsupported TRY_CAST from {expr_type:?} to {cast_type:?}")
146 }
147}
148
149#[cfg(test)]
150mod tests {
151 use super::*;
152 use crate::expressions::col;
153 use arrow::array::{
154 Decimal128Array, Decimal128Builder, StringArray, Time64NanosecondArray,
155 };
156 use arrow::{
157 array::{
158 Array, Float32Array, Float64Array, Int16Array, Int32Array, Int64Array,
159 Int8Array, TimestampNanosecondArray, UInt32Array,
160 },
161 datatypes::*,
162 };
163 use datafusion_physical_expr_common::physical_expr::fmt_sql;
164
165 macro_rules! generic_decimal_to_other_test_cast {
172 ($DECIMAL_ARRAY:ident, $A_TYPE:expr, $TYPEARRAY:ident, $TYPE:expr, $VEC:expr) => {{
173 let schema = Schema::new(vec![Field::new("a", $A_TYPE, true)]);
174 let batch = RecordBatch::try_new(
175 Arc::new(schema.clone()),
176 vec![Arc::new($DECIMAL_ARRAY)],
177 )?;
178 let expression = try_cast(col("a", &schema)?, &schema, $TYPE)?;
180
181 assert_eq!(
183 format!("TRY_CAST(a@0 AS {:?})", $TYPE),
184 format!("{}", expression)
185 );
186
187 assert_eq!(expression.data_type(&schema)?, $TYPE);
189
190 let result = expression
192 .evaluate(&batch)?
193 .into_array(batch.num_rows())
194 .expect("Failed to convert to array");
195
196 assert_eq!(*result.data_type(), $TYPE);
198
199 let result = result
201 .as_any()
202 .downcast_ref::<$TYPEARRAY>()
203 .expect("failed to downcast");
204
205 for (i, x) in $VEC.iter().enumerate() {
207 match x {
208 Some(x) => assert_eq!(result.value(i), *x),
209 None => assert!(!result.is_valid(i)),
210 }
211 }
212 }};
213 }
214
215 macro_rules! generic_test_cast {
222 ($A_ARRAY:ident, $A_TYPE:expr, $A_VEC:expr, $TYPEARRAY:ident, $TYPE:expr, $VEC:expr) => {{
223 let schema = Schema::new(vec![Field::new("a", $A_TYPE, true)]);
224 let a_vec_len = $A_VEC.len();
225 let a = $A_ARRAY::from($A_VEC);
226 let batch =
227 RecordBatch::try_new(Arc::new(schema.clone()), vec![Arc::new(a)])?;
228
229 let expression = try_cast(col("a", &schema)?, &schema, $TYPE)?;
231
232 assert_eq!(
234 format!("TRY_CAST(a@0 AS {:?})", $TYPE),
235 format!("{}", expression)
236 );
237
238 assert_eq!(expression.data_type(&schema)?, $TYPE);
240
241 let result = expression
243 .evaluate(&batch)?
244 .into_array(batch.num_rows())
245 .expect("Failed to convert to array");
246
247 assert_eq!(*result.data_type(), $TYPE);
249
250 assert_eq!(result.len(), a_vec_len);
252
253 let result = result
255 .as_any()
256 .downcast_ref::<$TYPEARRAY>()
257 .expect("failed to downcast");
258
259 for (i, x) in $VEC.iter().enumerate() {
261 match x {
262 Some(x) => assert_eq!(result.value(i), *x),
263 None => assert!(!result.is_valid(i)),
264 }
265 }
266 }};
267 }
268
269 #[test]
270 fn test_try_cast_decimal_to_decimal() -> Result<()> {
271 let array: Vec<i128> = vec![1234, 2222, 3, 4000, 5000];
273 let decimal_array = create_decimal_array(&array, 10, 3);
274 generic_decimal_to_other_test_cast!(
275 decimal_array,
276 DataType::Decimal128(10, 3),
277 Decimal128Array,
278 DataType::Decimal128(20, 6),
279 [
280 Some(1_234_000),
281 Some(2_222_000),
282 Some(3_000),
283 Some(4_000_000),
284 Some(5_000_000),
285 None
286 ]
287 );
288
289 let decimal_array = create_decimal_array(&array, 10, 3);
290 generic_decimal_to_other_test_cast!(
291 decimal_array,
292 DataType::Decimal128(10, 3),
293 Decimal128Array,
294 DataType::Decimal128(10, 2),
295 [Some(123), Some(222), Some(0), Some(400), Some(500), None]
296 );
297
298 Ok(())
299 }
300
301 #[test]
302 fn test_try_cast_decimal_to_numeric() -> Result<()> {
303 let array: Vec<i128> = vec![1, 2, 3, 4, 5];
306 let decimal_array = create_decimal_array(&array, 10, 0);
307 generic_decimal_to_other_test_cast!(
309 decimal_array,
310 DataType::Decimal128(10, 0),
311 Int8Array,
312 DataType::Int8,
313 [
314 Some(1_i8),
315 Some(2_i8),
316 Some(3_i8),
317 Some(4_i8),
318 Some(5_i8),
319 None
320 ]
321 );
322
323 let decimal_array = create_decimal_array(&array, 10, 0);
325 generic_decimal_to_other_test_cast!(
326 decimal_array,
327 DataType::Decimal128(10, 0),
328 Int16Array,
329 DataType::Int16,
330 [
331 Some(1_i16),
332 Some(2_i16),
333 Some(3_i16),
334 Some(4_i16),
335 Some(5_i16),
336 None
337 ]
338 );
339
340 let decimal_array = create_decimal_array(&array, 10, 0);
342 generic_decimal_to_other_test_cast!(
343 decimal_array,
344 DataType::Decimal128(10, 0),
345 Int32Array,
346 DataType::Int32,
347 [
348 Some(1_i32),
349 Some(2_i32),
350 Some(3_i32),
351 Some(4_i32),
352 Some(5_i32),
353 None
354 ]
355 );
356
357 let decimal_array = create_decimal_array(&array, 10, 0);
359 generic_decimal_to_other_test_cast!(
360 decimal_array,
361 DataType::Decimal128(10, 0),
362 Int64Array,
363 DataType::Int64,
364 [
365 Some(1_i64),
366 Some(2_i64),
367 Some(3_i64),
368 Some(4_i64),
369 Some(5_i64),
370 None
371 ]
372 );
373
374 let array: Vec<i128> = vec![1234, 2222, 3, 4000, 5000];
376 let decimal_array = create_decimal_array(&array, 10, 3);
377 generic_decimal_to_other_test_cast!(
378 decimal_array,
379 DataType::Decimal128(10, 3),
380 Float32Array,
381 DataType::Float32,
382 [
383 Some(1.234_f32),
384 Some(2.222_f32),
385 Some(0.003_f32),
386 Some(4.0_f32),
387 Some(5.0_f32),
388 None
389 ]
390 );
391 let decimal_array = create_decimal_array(&array, 20, 6);
393 generic_decimal_to_other_test_cast!(
394 decimal_array,
395 DataType::Decimal128(20, 6),
396 Float64Array,
397 DataType::Float64,
398 [
399 Some(0.001234_f64),
400 Some(0.002222_f64),
401 Some(0.000003_f64),
402 Some(0.004_f64),
403 Some(0.005_f64),
404 None
405 ]
406 );
407
408 Ok(())
409 }
410
411 #[test]
412 fn test_try_cast_numeric_to_decimal() -> Result<()> {
413 generic_test_cast!(
415 Int8Array,
416 DataType::Int8,
417 vec![1, 2, 3, 4, 5],
418 Decimal128Array,
419 DataType::Decimal128(3, 0),
420 [Some(1), Some(2), Some(3), Some(4), Some(5)]
421 );
422
423 generic_test_cast!(
425 Int16Array,
426 DataType::Int16,
427 vec![1, 2, 3, 4, 5],
428 Decimal128Array,
429 DataType::Decimal128(5, 0),
430 [Some(1), Some(2), Some(3), Some(4), Some(5)]
431 );
432
433 generic_test_cast!(
435 Int32Array,
436 DataType::Int32,
437 vec![1, 2, 3, 4, 5],
438 Decimal128Array,
439 DataType::Decimal128(10, 0),
440 [Some(1), Some(2), Some(3), Some(4), Some(5)]
441 );
442
443 generic_test_cast!(
445 Int64Array,
446 DataType::Int64,
447 vec![1, 2, 3, 4, 5],
448 Decimal128Array,
449 DataType::Decimal128(20, 0),
450 [Some(1), Some(2), Some(3), Some(4), Some(5)]
451 );
452
453 generic_test_cast!(
455 Int64Array,
456 DataType::Int64,
457 vec![1, 2, 3, 4, 5],
458 Decimal128Array,
459 DataType::Decimal128(20, 2),
460 [Some(100), Some(200), Some(300), Some(400), Some(500)]
461 );
462
463 generic_test_cast!(
465 Float32Array,
466 DataType::Float32,
467 vec![1.5, 2.5, 3.0, 1.123_456_8, 5.50],
468 Decimal128Array,
469 DataType::Decimal128(10, 2),
470 [Some(150), Some(250), Some(300), Some(112), Some(550)]
471 );
472
473 generic_test_cast!(
475 Float64Array,
476 DataType::Float64,
477 vec![1.5, 2.5, 3.0, 1.123_456_8, 5.50],
478 Decimal128Array,
479 DataType::Decimal128(20, 4),
480 [
481 Some(15000),
482 Some(25000),
483 Some(30000),
484 Some(11235),
485 Some(55000)
486 ]
487 );
488 Ok(())
489 }
490
491 #[test]
492 fn test_cast_i32_u32() -> Result<()> {
493 generic_test_cast!(
494 Int32Array,
495 DataType::Int32,
496 vec![1, 2, 3, 4, 5],
497 UInt32Array,
498 DataType::UInt32,
499 [
500 Some(1_u32),
501 Some(2_u32),
502 Some(3_u32),
503 Some(4_u32),
504 Some(5_u32)
505 ]
506 );
507 Ok(())
508 }
509
510 #[test]
511 fn test_cast_i32_utf8() -> Result<()> {
512 generic_test_cast!(
513 Int32Array,
514 DataType::Int32,
515 vec![1, 2, 3, 4, 5],
516 StringArray,
517 DataType::Utf8,
518 [Some("1"), Some("2"), Some("3"), Some("4"), Some("5")]
519 );
520 Ok(())
521 }
522
523 #[test]
524 fn test_try_cast_utf8_i32() -> Result<()> {
525 generic_test_cast!(
526 StringArray,
527 DataType::Utf8,
528 vec!["a", "2", "3", "b", "5"],
529 Int32Array,
530 DataType::Int32,
531 [None, Some(2), Some(3), None, Some(5)]
532 );
533 Ok(())
534 }
535
536 #[test]
537 fn test_cast_i64_t64() -> Result<()> {
538 let original = vec![1, 2, 3, 4, 5];
539 let expected: Vec<Option<i64>> = original
540 .iter()
541 .map(|i| Some(Time64NanosecondArray::from(vec![*i]).value(0)))
542 .collect();
543 generic_test_cast!(
544 Int64Array,
545 DataType::Int64,
546 original,
547 TimestampNanosecondArray,
548 DataType::Timestamp(TimeUnit::Nanosecond, None),
549 expected
550 );
551 Ok(())
552 }
553
554 #[test]
555 fn invalid_cast() {
556 let schema = Schema::new(vec![Field::new("a", DataType::Int32, false)]);
558
559 let result = try_cast(
560 col("a", &schema).unwrap(),
561 &schema,
562 DataType::Interval(IntervalUnit::MonthDayNano),
563 );
564 result.expect_err("expected Invalid TRY_CAST");
565 }
566
567 fn create_decimal_array(array: &[i128], precision: u8, scale: i8) -> Decimal128Array {
569 let mut decimal_builder = Decimal128Builder::with_capacity(array.len());
570 for value in array {
571 decimal_builder.append_value(*value);
572 }
573 decimal_builder.append_null();
574 decimal_builder
575 .finish()
576 .with_precision_and_scale(precision, scale)
577 .unwrap()
578 }
579
580 #[test]
581 fn test_fmt_sql() -> Result<()> {
582 let schema = Schema::new(vec![Field::new("a", DataType::Int32, true)]);
583
584 let expr = try_cast(col("a", &schema)?, &schema, DataType::Int64)?;
586 let display_string = expr.to_string();
587 assert_eq!(display_string, "TRY_CAST(a@0 AS Int64)");
588 let sql_string = fmt_sql(expr.as_ref()).to_string();
589 assert_eq!(sql_string, "TRY_CAST(a AS Int64)");
590
591 let schema = Schema::new(vec![Field::new("b", DataType::Utf8, true)]);
593 let expr = try_cast(col("b", &schema)?, &schema, DataType::Int32)?;
594 let display_string = expr.to_string();
595 assert_eq!(display_string, "TRY_CAST(b@0 AS Int32)");
596 let sql_string = fmt_sql(expr.as_ref()).to_string();
597 assert_eq!(sql_string, "TRY_CAST(b AS Int32)");
598
599 Ok(())
600 }
601}