dust/src/abstract_tree/function_call.rs

56 lines
1.7 KiB
Rust
Raw Normal View History

2024-03-09 12:34:34 +00:00
use crate::{
context::Context,
error::{RuntimeError, ValidationError},
};
2024-03-17 10:26:12 +00:00
use super::{AbstractTree, Action, Expression, Positioned, Type};
2024-03-09 12:34:34 +00:00
#[derive(Debug, Clone, Eq, PartialEq, PartialOrd, Ord)]
pub struct FunctionCall {
2024-03-17 10:26:12 +00:00
function: Box<Positioned<Expression>>,
arguments: Vec<Positioned<Expression>>,
2024-03-09 12:34:34 +00:00
}
impl FunctionCall {
2024-03-17 10:26:12 +00:00
pub fn new(function: Positioned<Expression>, arguments: Vec<Positioned<Expression>>) -> Self {
2024-03-09 12:34:34 +00:00
FunctionCall {
function: Box::new(function),
arguments,
}
}
}
impl AbstractTree for FunctionCall {
fn expected_type(&self, _context: &Context) -> Result<Type, ValidationError> {
2024-03-17 10:26:12 +00:00
if let Type::Function { return_type, .. } = self.function.node.expected_type(_context)? {
2024-03-09 13:10:54 +00:00
Ok(*return_type)
} else {
Err(ValidationError::ExpectedFunction)
}
2024-03-09 12:34:34 +00:00
}
fn validate(&self, _context: &Context) -> Result<(), ValidationError> {
2024-03-17 10:26:12 +00:00
if let Type::Function { .. } = self.function.node.expected_type(_context)? {
2024-03-09 13:10:54 +00:00
Ok(())
} else {
Err(ValidationError::ExpectedFunction)
}
2024-03-09 12:34:34 +00:00
}
fn run(self, context: &Context) -> Result<Action, RuntimeError> {
2024-03-17 10:26:12 +00:00
let value = self.function.node.run(context)?.as_return_value()?;
2024-03-09 13:10:54 +00:00
let function = value.as_function()?;
let mut arguments = Vec::with_capacity(self.arguments.len());
for expression in self.arguments {
2024-03-17 10:26:12 +00:00
let value = expression.node.run(context)?.as_return_value()?;
2024-03-09 13:10:54 +00:00
arguments.push(value);
}
2024-03-11 18:51:02 +00:00
let function_context = Context::inherit_data_from(context)?;
2024-03-09 13:10:54 +00:00
2024-03-17 05:26:05 +00:00
function.clone().call(arguments, function_context)
2024-03-09 12:34:34 +00:00
}
}