use crate::ast::*;
#[derive(Debug, PartialEq, Clone, Default)]
pub enum ConditionTree<'a> {
And(Vec<Expression<'a>>),
Or(Vec<Expression<'a>>),
Not(Box<Expression<'a>>),
Single(Box<Expression<'a>>),
#[default]
NoCondition,
NegativeCondition,
}
impl<'a> ConditionTree<'a> {
#[cfg(feature = "mssql")]
pub(crate) fn convert_tuple_selects_to_ctes(self, level: &mut usize) -> (Self, Vec<CommonTableExpression<'a>>) {
fn convert_many<'a>(
exprs: Vec<Expression<'a>>,
level: &mut usize,
) -> (Vec<Expression<'a>>, Vec<CommonTableExpression<'a>>) {
let mut converted = Vec::with_capacity(exprs.len());
let mut result_ctes = Vec::new();
for expr in exprs.into_iter() {
let (expr, ctes) = expr.convert_tuple_selects_to_ctes(level);
converted.push(expr);
result_ctes.extend(ctes);
}
(converted, result_ctes)
}
match self {
Self::Single(expr) => {
let (expr, ctes) = expr.convert_tuple_selects_to_ctes(level);
(Self::single(expr), ctes)
}
Self::Not(expr) => {
let (expr, ctes) = expr.convert_tuple_selects_to_ctes(level);
(expr.not(), ctes)
}
Self::And(exprs) => {
let (converted, ctes) = convert_many(exprs, level);
(Self::And(converted), ctes)
}
Self::Or(exprs) => {
let (converted, ctes) = convert_many(exprs, level);
(Self::Or(converted), ctes)
}
tree => (tree, Vec::new()),
}
}
pub fn and<E>(mut self, other: E) -> ConditionTree<'a>
where
E: Into<Expression<'a>>,
{
match self {
Self::And(ref mut conditions) => {
conditions.push(other.into());
self
}
Self::Single(expr) => Self::And(vec![*expr, other.into()]),
_ => Self::And(vec![Expression::from(self), other.into()]),
}
}
pub fn or<E>(mut self, other: E) -> ConditionTree<'a>
where
E: Into<Expression<'a>>,
{
match self {
Self::Or(ref mut conditions) => {
conditions.push(other.into());
self
}
Self::Single(expr) => Self::Or(vec![*expr, other.into()]),
_ => Self::Or(vec![Expression::from(self), other.into()]),
}
}
pub fn not<E>(left: E) -> ConditionTree<'a>
where
E: Into<Expression<'a>>,
{
ConditionTree::Not(Box::new(left.into()))
}
pub fn single<E>(left: E) -> ConditionTree<'a>
where
E: Into<Expression<'a>>,
{
ConditionTree::Single(Box::new(left.into()))
}
pub fn invert_if(self, invert: bool) -> ConditionTree<'a> {
if invert {
self.not()
} else {
self
}
}
}
impl<'a> From<ConditionTree<'a>> for Expression<'a> {
fn from(ct: ConditionTree<'a>) -> Self {
Expression {
kind: ExpressionKind::ConditionTree(ct),
alias: None,
}
}
}
impl<'a> From<Select<'a>> for ConditionTree<'a> {
fn from(sel: Select<'a>) -> Self {
let exp = Expression {
kind: ExpressionKind::Value(Box::new(sel.into())),
alias: None,
};
ConditionTree::single(exp)
}
}