Skip to main content

reifydb_routine/function/datetime/
day_of_week.rs

1// SPDX-License-Identifier: Apache-2.0
2// Copyright (c) 2025 ReifyDB
3
4use reifydb_core::value::column::{Column, columns::Columns, data::ColumnData};
5use reifydb_type::value::r#type::Type;
6
7use crate::function::{Function, FunctionCapability, FunctionContext, FunctionInfo, error::FunctionError};
8
9pub struct DateTimeDayOfWeek {
10	info: FunctionInfo,
11}
12
13impl Default for DateTimeDayOfWeek {
14	fn default() -> Self {
15		Self::new()
16	}
17}
18
19impl DateTimeDayOfWeek {
20	pub fn new() -> Self {
21		Self {
22			info: FunctionInfo::new("datetime::day_of_week"),
23		}
24	}
25}
26
27impl Function for DateTimeDayOfWeek {
28	fn info(&self) -> &FunctionInfo {
29		&self.info
30	}
31
32	fn capabilities(&self) -> &[FunctionCapability] {
33		&[FunctionCapability::Scalar]
34	}
35
36	fn return_type(&self, _input_types: &[Type]) -> Type {
37		Type::Int4
38	}
39
40	fn execute(&self, ctx: &FunctionContext, args: &Columns) -> Result<Columns, FunctionError> {
41		if args.len() != 1 {
42			return Err(FunctionError::ArityMismatch {
43				function: ctx.fragment.clone(),
44				expected: 1,
45				actual: args.len(),
46			});
47		}
48
49		let column = &args[0];
50		let (data, bitvec) = column.data().unwrap_option();
51		let row_count = data.len();
52
53		let result_data = match data {
54			ColumnData::DateTime(container) => {
55				let mut result = Vec::with_capacity(row_count);
56				let mut res_bitvec = Vec::with_capacity(row_count);
57
58				for i in 0..row_count {
59					if let Some(dt) = container.get(i) {
60						let date = dt.date();
61						// ISO 8601: Mon=1, Sun=7
62						// 1970-01-01 was Thursday (ISO day 4), so days_since_epoch 0 = Thursday
63						// (days + 3) % 7 shifts Thursday=0 to Monday=0 base
64						// +7) % 7 handles negative days, +1 converts to 1-based
65						let days = date.to_days_since_epoch();
66						let dow = ((days % 7 + 3) % 7 + 7) % 7 + 1;
67						result.push(dow);
68						res_bitvec.push(true);
69					} else {
70						result.push(0);
71						res_bitvec.push(false);
72					}
73				}
74
75				ColumnData::int4_with_bitvec(result, res_bitvec)
76			}
77			other => {
78				return Err(FunctionError::InvalidArgumentType {
79					function: ctx.fragment.clone(),
80					argument_index: 0,
81					expected: vec![Type::DateTime],
82					actual: other.get_type(),
83				});
84			}
85		};
86
87		let final_data = if let Some(bv) = bitvec {
88			ColumnData::Option {
89				inner: Box::new(result_data),
90				bitvec: bv.clone(),
91			}
92		} else {
93			result_data
94		};
95
96		Ok(Columns::new(vec![Column::new(ctx.fragment.clone(), final_data)]))
97	}
98}