use scythe_core::errors::{ErrorCode, ScytheError};
#[derive(Debug, Clone, Copy, Default, PartialEq, Eq)]
pub enum PythonRowType {
#[default]
Dataclass,
Pydantic,
Msgspec,
}
impl PythonRowType {
pub fn from_option(value: &str) -> Result<Self, ScytheError> {
match value {
"dataclass" => Ok(Self::Dataclass),
"pydantic" => Ok(Self::Pydantic),
"msgspec" => Ok(Self::Msgspec),
_ => Err(ScytheError::new(
ErrorCode::InternalError,
format!(
"invalid row_type '{}': expected 'dataclass', 'pydantic', or 'msgspec'",
value
),
)),
}
}
pub fn import_line(self) -> &'static str {
match self {
Self::Dataclass => "from dataclasses import dataclass",
Self::Pydantic => "from pydantic import BaseModel",
Self::Msgspec => "import msgspec",
}
}
pub fn is_stdlib_import(self) -> bool {
matches!(self, Self::Dataclass)
}
pub fn sorted_third_party_imports(self, library_import: &str) -> String {
let row_import = self.import_line();
let row_is_bare = row_import.starts_with("import ");
let lib_is_bare = library_import.starts_with("import ");
match (row_is_bare, lib_is_bare) {
(true, true) | (false, false) => {
if row_import < library_import {
format!("{row_import}\n{library_import}")
} else {
format!("{library_import}\n{row_import}")
}
}
(true, false) => format!("{row_import}\n{library_import}"),
(false, true) => format!("{library_import}\n{row_import}"),
}
}
pub fn decorator(self) -> &'static str {
match self {
Self::Dataclass => "@dataclass(frozen=True, slots=True)\n",
Self::Pydantic | Self::Msgspec => "",
}
}
pub fn class_def(self, class_name: &str) -> String {
match self {
Self::Dataclass => format!("class {}:", class_name),
Self::Pydantic => format!("class {}(BaseModel):", class_name),
Self::Msgspec => format!("class {}(msgspec.Struct):", class_name),
}
}
}