summaryrefslogtreecommitdiff
path: root/src/chomp/context.rs
blob: 392023f58efffd6370a7488a4811bfe9de44cbd7 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
use super::{ast::Variable, error::VariableError, typed::Type};

#[derive(Debug, Default)]
pub struct Context {
    vars: Vec<Type>,
    unguard_points: Vec<usize>,
}

impl Context {
    pub fn new() -> Self {
        Self::default()
    }

    pub fn depth(&self) -> usize {
        self.vars.len()
    }

    pub fn is_unguarded(&self, var: &Variable) -> Option<bool> {
        if self.vars.len() <= var.index() {
            None
        } else if self.unguard_points.is_empty() {
            Some(false)
        } else {
            Some(
                self.unguard_points[self.unguard_points.len() - 1] + var.index() >= self.vars.len(),
            )
        }
    }

    pub fn with_unguard<F: FnOnce(&mut Self) -> R, R>(&mut self, f: F) -> R {
        self.unguard_points.push(self.vars.len());
        let res = f(self);
        self.unguard_points.pop();
        res
    }

    pub fn get_variable_type(&self, var: &Variable) -> Result<&Type, VariableError> {
        match self.is_unguarded(var) {
            None => Err(VariableError::FreeVariable(var.clone())),
            Some(false) => Err(VariableError::GuardedVariable(var.clone())),
            Some(true) => Ok(&self.vars[self.vars.len() - var.index() - 1]),
        }
    }

    pub fn with_variable_type<F: FnOnce(&mut Self) -> R, R>(&mut self, ty: Type, f: F) -> R {
        self.vars.push(ty);
        let res = f(self);
        self.vars.pop();
        res
    }
}