1
0
dust/src/abstract_tree/match.rs

85 lines
2.6 KiB
Rust
Raw Normal View History

2023-10-06 17:32:58 +00:00
//! Pattern matching.
//!
//! Note that this module is called "match" but is escaped as "r#match" because
//! "match" is a keyword in Rust.
use serde::{Deserialize, Serialize};
use tree_sitter::Node;
use crate::{AbstractTree, Error, Expression, Map, Result, Statement, Type, Value};
2023-10-06 17:32:58 +00:00
/// Abstract representation of a match statement.
2023-10-06 17:32:58 +00:00
#[derive(Debug, Clone, Serialize, Deserialize, Eq, PartialEq, PartialOrd, Ord)]
pub struct Match {
matcher: Expression,
options: Vec<(Expression, Statement)>,
2023-12-11 15:18:46 +00:00
fallback: Option<Box<Statement>>,
}
2023-10-06 17:32:58 +00:00
impl AbstractTree for Match {
fn from_syntax_node(source: &str, node: Node, context: &Map) -> Result<Self> {
Error::expect_syntax_node(source, "match", node)?;
let matcher_node = node.child(1).unwrap();
let matcher = Expression::from_syntax_node(source, matcher_node, context)?;
let mut options = Vec::new();
let mut previous_expression = None;
2023-12-11 15:18:46 +00:00
let mut next_statement_is_fallback = false;
let mut fallback = None;
for index in 2..node.child_count() {
let child = node.child(index).unwrap();
2023-12-11 15:18:46 +00:00
if child.kind() == "*" {
next_statement_is_fallback = true;
}
if child.kind() == "expression" {
previous_expression = Some(Expression::from_syntax_node(source, child, context)?);
}
if child.kind() == "statement" {
2023-12-11 15:18:46 +00:00
let statement = Statement::from_syntax_node(source, child, context)?;
2023-12-11 15:18:46 +00:00
if next_statement_is_fallback {
fallback = Some(Box::new(statement));
next_statement_is_fallback = false;
} else if let Some(expression) = &previous_expression {
options.push((expression.clone(), statement));
}
}
}
2023-12-11 15:18:46 +00:00
Ok(Match {
matcher,
options,
fallback,
})
2023-10-06 17:32:58 +00:00
}
fn run(&self, source: &str, context: &Map) -> Result<Value> {
let matcher_value = self.matcher.run(source, context)?;
for (expression, statement) in &self.options {
let option_value = expression.run(source, context)?;
if matcher_value == option_value {
return statement.run(source, context);
}
}
2023-12-11 15:18:46 +00:00
if let Some(fallback) = &self.fallback {
fallback.run(source, context)
} else {
Ok(Value::Option(None))
2023-12-11 15:18:46 +00:00
}
2023-11-30 00:23:42 +00:00
}
fn expected_type(&self, context: &Map) -> Result<Type> {
let (_, first_statement) = self.options.first().unwrap();
first_statement.expected_type(context)
2023-10-06 17:32:58 +00:00
}
}