use anyhow::{bail, Result};
#[cfg(feature = "tokio-postgres")]
use bytes::BytesMut;
use rust_decimal::Decimal;
use rust_decimal_macros::dec;
use schemars::JsonSchema;
use serde::{Deserialize, Serialize};
#[cfg(feature = "tokio-postgres")]
use std::error::Error;
use std::{
ops::{Deref, Mul},
str::FromStr,
};
#[derive(Debug, Clone, Copy, PartialEq, Eq, Serialize, Deserialize, JsonSchema)]
#[cfg_attr(feature = "juniper", derive(juniper::GraphQLScalar))]
#[cfg_attr(feature = "sqlx", derive(sqlx::Type))]
#[cfg_attr(
feature = "sqlx",
sqlx(type_name = "TEXT", rename_all = "SCREAMING_SNAKE_CASE")
)]
#[serde(rename_all = "SCREAMING_SNAKE_CASE")]
pub enum Dir {
#[serde(alias = "Buy", alias = "buy", alias = "BUY")]
Buy,
#[serde(alias = "Sell", alias = "sell", alias = "SELL")]
Sell,
}
impl Mul<Dir> for Dir {
type Output = Dir;
fn mul(self, rhs: Dir) -> Dir {
match (self, rhs) {
(Dir::Buy, Dir::Buy) => Dir::Buy,
(Dir::Sell, Dir::Sell) => Dir::Buy,
(Dir::Buy, Dir::Sell) => Dir::Sell,
(Dir::Sell, Dir::Buy) => Dir::Sell,
}
}
}
#[cfg(feature = "rusqlite")]
impl rusqlite::ToSql for Dir {
fn to_sql(&self) -> rusqlite::Result<rusqlite::types::ToSqlOutput<'_>> {
use rusqlite::types::{ToSqlOutput, ValueRef};
let value_ref = match self {
Self::Buy => ValueRef::Text("BUY".as_ref()),
Self::Sell => ValueRef::Text("SELL".as_ref()),
};
Ok(ToSqlOutput::Borrowed(value_ref))
}
}
#[cfg(feature = "tokio-postgres")]
impl tokio_postgres::types::ToSql for Dir {
tokio_postgres::types::to_sql_checked!();
fn to_sql(
&self,
ty: &tokio_postgres::types::Type,
out: &mut BytesMut,
) -> std::result::Result<tokio_postgres::types::IsNull, Box<dyn Error + Sync + Send>>
{
let value_repr = match self {
Self::Buy => "BUY",
Self::Sell => "SELL",
};
value_repr.to_sql(ty, out)
}
fn accepts(ty: &tokio_postgres::types::Type) -> bool {
String::accepts(ty)
}
}
#[cfg(feature = "juniper")]
impl Dir {
#[allow(clippy::wrong_self_convention)]
fn to_output<S: juniper::ScalarValue>(&self) -> juniper::Value<S> {
juniper::Value::scalar(self.to_str_lowercase().to_string())
}
fn from_input<S>(v: &juniper::InputValue<S>) -> std::result::Result<Self, String>
where
S: juniper::ScalarValue,
{
v.as_string_value()
.map(Self::from_str_lowercase)
.ok_or_else(|| format!("Expected `String`, found: {v}"))?
.map_err(|e| e.to_string())
}
fn parse_token<S>(value: juniper::ScalarToken<'_>) -> juniper::ParseScalarResult<S>
where
S: juniper::ScalarValue,
{
<String as juniper::ParseScalarValue<S>>::from_str(value)
}
}
impl FromStr for Dir {
type Err = anyhow::Error;
fn from_str(s: &str) -> Result<Self, Self::Err> {
match s {
"buy" | "Buy" | "BUY" => Ok(Self::Buy),
"sell" | "Sell" | "SELL" => Ok(Self::Sell),
_ => Err(anyhow::anyhow!("invalid format: {s}")),
}
}
}
impl Dir {
pub fn flip(self) -> Self {
match self {
Self::Buy => Self::Sell,
Self::Sell => Self::Buy,
}
}
pub fn to_str_uppercase(&self) -> &'static str {
match self {
Self::Buy => "BUY",
Self::Sell => "SELL",
}
}
pub fn from_str_uppercase(s: &str) -> Result<Self> {
match s {
"BUY" => Ok(Self::Buy),
"SELL" => Ok(Self::Sell),
_ => bail!("invalid format: {}", s),
}
}
pub fn to_str_lowercase(&self) -> &'static str {
match self {
Self::Buy => "buy",
Self::Sell => "sell",
}
}
pub fn from_str_lowercase(s: &str) -> Result<Self> {
match s {
"buy" => Ok(Self::Buy),
"sell" => Ok(Self::Sell),
_ => bail!("invalid format: {}", s),
}
}
pub fn position_sign(&self) -> Decimal {
match self {
Self::Buy => dec!(1),
Self::Sell => dec!(-1),
}
}
#[inline]
pub fn sign(value: Decimal) -> Option<Dir> {
if value.is_sign_positive() {
return Some(Dir::Buy);
}
if value.is_zero() {
return None;
}
Some(Dir::Sell)
}
}
#[derive(Debug, Clone, Copy, PartialEq, Eq, JsonSchema)]
pub struct DirAsCharUpper(Dir);
impl Deref for DirAsCharUpper {
type Target = Dir;
fn deref(&self) -> &Self::Target {
&self.0
}
}
impl From<Dir> for DirAsCharUpper {
fn from(dir: Dir) -> Self {
Self(dir)
}
}
impl From<DirAsCharUpper> for Dir {
fn from(val: DirAsCharUpper) -> Self {
val.0
}
}
impl Serialize for DirAsCharUpper {
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: serde::Serializer,
{
serializer.serialize_char(match **self {
Dir::Buy => 'B',
Dir::Sell => 'S',
})
}
}
struct DirAsCharUpperVisitor;
impl serde::de::Visitor<'_> for DirAsCharUpperVisitor {
type Value = DirAsCharUpper;
fn expecting(&self, formatter: &mut std::fmt::Formatter) -> std::fmt::Result {
formatter.write_str("a single uppercase character")
}
}
impl<'de> Deserialize<'de> for DirAsCharUpper {
fn deserialize<D>(deserializer: D) -> Result<Self, D::Error>
where
D: serde::Deserializer<'de>,
{
deserializer.deserialize_char(DirAsCharUpperVisitor)
}
}