Skip to main content

seqc/
unification.rs

1//! Type unification for Seq
2//!
3//! Implements Hindley-Milner style unification with support for:
4//! - Type variables (T, U, V)
5//! - Row variables (..a, ..rest)
6//! - Concrete types (Int, Bool, String)
7
8use crate::types::{StackType, Type};
9use std::collections::HashMap;
10
11/// Substitutions for type variables
12pub type TypeSubst = HashMap<String, Type>;
13
14/// Substitutions for row variables (stack type variables)
15pub type RowSubst = HashMap<String, StackType>;
16
17/// Combined substitution environment
18#[derive(Debug, Clone, PartialEq)]
19pub struct Subst {
20    pub types: TypeSubst,
21    pub rows: RowSubst,
22}
23
24impl Subst {
25    /// Create an empty substitution
26    pub fn empty() -> Self {
27        Subst {
28            types: HashMap::new(),
29            rows: HashMap::new(),
30        }
31    }
32
33    /// Apply substitutions to a Type
34    pub fn apply_type(&self, ty: &Type) -> Type {
35        match ty {
36            Type::Var(name) => self.types.get(name).cloned().unwrap_or(ty.clone()),
37            _ => ty.clone(),
38        }
39    }
40
41    /// Apply substitutions to a StackType
42    pub fn apply_stack(&self, stack: &StackType) -> StackType {
43        match stack {
44            StackType::Empty => StackType::Empty,
45            StackType::Cons { rest, top } => {
46                let new_rest = self.apply_stack(rest);
47                let new_top = self.apply_type(top);
48                StackType::Cons {
49                    rest: Box::new(new_rest),
50                    top: new_top,
51                }
52            }
53            StackType::RowVar(name) => self.rows.get(name).cloned().unwrap_or(stack.clone()),
54        }
55    }
56
57    /// Compose two substitutions (apply other after self)
58    /// Result: (other ∘ self) where self is applied first, then other
59    pub fn compose(&self, other: &Subst) -> Subst {
60        let mut types = HashMap::new();
61        let mut rows = HashMap::new();
62
63        // Apply other to all of self's type substitutions
64        for (k, v) in &self.types {
65            types.insert(k.clone(), other.apply_type(v));
66        }
67
68        // Add other's type substitutions (applying self to other's values)
69        for (k, v) in &other.types {
70            let v_subst = self.apply_type(v);
71            types.insert(k.clone(), v_subst);
72        }
73
74        // Apply other to all of self's row substitutions
75        for (k, v) in &self.rows {
76            rows.insert(k.clone(), other.apply_stack(v));
77        }
78
79        // Add other's row substitutions (applying self to other's values)
80        for (k, v) in &other.rows {
81            let v_subst = self.apply_stack(v);
82            rows.insert(k.clone(), v_subst);
83        }
84
85        Subst { types, rows }
86    }
87}
88
89/// Check if a type variable occurs in a type (for occurs check)
90///
91/// Prevents infinite types like: T = List<T>
92///
93/// NOTE: Currently we only have simple types (Int, String, Bool).
94/// When parametric types are added (e.g., List<T>, Option<T>), this function
95/// must be extended to recursively check type arguments:
96///
97/// ```ignore
98/// Type::Named { name: _, args } => {
99///     args.iter().any(|arg| occurs_in_type(var, arg))
100/// }
101/// ```
102fn occurs_in_type(var: &str, ty: &Type) -> bool {
103    match ty {
104        Type::Var(name) => name == var,
105        // Concrete types contain no type variables
106        Type::Int
107        | Type::Float
108        | Type::Bool
109        | Type::String
110        | Type::Symbol
111        | Type::Channel
112        | Type::Union(_) => false,
113        Type::Quotation(effect) => {
114            // Check if var occurs in quotation's input or output stack types
115            occurs_in_stack(var, &effect.inputs) || occurs_in_stack(var, &effect.outputs)
116        }
117        Type::Closure { effect, captures } => {
118            // Check if var occurs in closure's effect or any captured types
119            occurs_in_stack(var, &effect.inputs)
120                || occurs_in_stack(var, &effect.outputs)
121                || captures.iter().any(|t| occurs_in_type(var, t))
122        }
123    }
124}
125
126/// Check if a row variable occurs in a stack type (for occurs check)
127fn occurs_in_stack(var: &str, stack: &StackType) -> bool {
128    match stack {
129        StackType::Empty => false,
130        StackType::RowVar(name) => name == var,
131        StackType::Cons { rest, top: _ } => {
132            // Row variables only occur in stack positions, not in type positions
133            // So we only need to check the rest of the stack
134            occurs_in_stack(var, rest)
135        }
136    }
137}
138
139/// Unify two types, returning a substitution or an error
140pub fn unify_types(t1: &Type, t2: &Type) -> Result<Subst, String> {
141    match (t1, t2) {
142        // Same concrete types unify
143        (Type::Int, Type::Int)
144        | (Type::Float, Type::Float)
145        | (Type::Bool, Type::Bool)
146        | (Type::String, Type::String)
147        | (Type::Symbol, Type::Symbol)
148        | (Type::Channel, Type::Channel) => Ok(Subst::empty()),
149
150        // Union types unify if they have the same name
151        (Type::Union(name1), Type::Union(name2)) => {
152            if name1 == name2 {
153                Ok(Subst::empty())
154            } else {
155                Err(format!(
156                    "Type mismatch: cannot unify Union({}) with Union({})",
157                    name1, name2
158                ))
159            }
160        }
161
162        // Type variable unifies with anything (with occurs check)
163        (Type::Var(name), ty) | (ty, Type::Var(name)) => {
164            // If unifying a variable with itself, no substitution needed
165            if matches!(ty, Type::Var(ty_name) if ty_name == name) {
166                return Ok(Subst::empty());
167            }
168
169            // Occurs check: prevent infinite types
170            if occurs_in_type(name, ty) {
171                return Err(format!(
172                    "Occurs check failed: cannot unify {:?} with {:?} (would create infinite type)",
173                    Type::Var(name.clone()),
174                    ty
175                ));
176            }
177
178            let mut subst = Subst::empty();
179            subst.types.insert(name.clone(), ty.clone());
180            Ok(subst)
181        }
182
183        // Quotation types unify if their effects unify
184        (Type::Quotation(effect1), Type::Quotation(effect2)) => {
185            // Unify inputs
186            let s_in = unify_stacks(&effect1.inputs, &effect2.inputs)?;
187
188            // Apply substitution to outputs and unify
189            let out1 = s_in.apply_stack(&effect1.outputs);
190            let out2 = s_in.apply_stack(&effect2.outputs);
191            let s_out = unify_stacks(&out1, &out2)?;
192
193            // Compose substitutions
194            Ok(s_in.compose(&s_out))
195        }
196
197        // Closure types unify if their effects unify (ignoring captures)
198        // Captures are an implementation detail determined by the type checker,
199        // not part of the user-visible type
200        (
201            Type::Closure {
202                effect: effect1, ..
203            },
204            Type::Closure {
205                effect: effect2, ..
206            },
207        ) => {
208            // Unify inputs
209            let s_in = unify_stacks(&effect1.inputs, &effect2.inputs)?;
210
211            // Apply substitution to outputs and unify
212            let out1 = s_in.apply_stack(&effect1.outputs);
213            let out2 = s_in.apply_stack(&effect2.outputs);
214            let s_out = unify_stacks(&out1, &out2)?;
215
216            // Compose substitutions
217            Ok(s_in.compose(&s_out))
218        }
219
220        // Closure <: Quotation (subtyping)
221        // A Closure can be used where a Quotation is expected
222        // The runtime will dispatch appropriately
223        (Type::Quotation(quot_effect), Type::Closure { effect, .. })
224        | (Type::Closure { effect, .. }, Type::Quotation(quot_effect)) => {
225            // Unify the effects (ignoring captures - they're an implementation detail)
226            let s_in = unify_stacks(&quot_effect.inputs, &effect.inputs)?;
227
228            // Apply substitution to outputs and unify
229            let out1 = s_in.apply_stack(&quot_effect.outputs);
230            let out2 = s_in.apply_stack(&effect.outputs);
231            let s_out = unify_stacks(&out1, &out2)?;
232
233            // Compose substitutions
234            Ok(s_in.compose(&s_out))
235        }
236
237        // Different concrete types don't unify
238        _ => Err(format!("Type mismatch: cannot unify {} with {}", t1, t2)),
239    }
240}
241
242/// Unify two stack types, returning a substitution or an error
243pub fn unify_stacks(s1: &StackType, s2: &StackType) -> Result<Subst, String> {
244    match (s1, s2) {
245        // Empty stacks unify
246        (StackType::Empty, StackType::Empty) => Ok(Subst::empty()),
247
248        // Row variable unifies with any stack (with occurs check)
249        (StackType::RowVar(name), stack) | (stack, StackType::RowVar(name)) => {
250            // If unifying a row var with itself, no substitution needed
251            if matches!(stack, StackType::RowVar(stack_name) if stack_name == name) {
252                return Ok(Subst::empty());
253            }
254
255            // Occurs check: prevent infinite stack types
256            if occurs_in_stack(name, stack) {
257                return Err(format!(
258                    "Occurs check failed: cannot unify {} with {} (would create infinite stack type)",
259                    StackType::RowVar(name.clone()),
260                    stack
261                ));
262            }
263
264            let mut subst = Subst::empty();
265            subst.rows.insert(name.clone(), stack.clone());
266            Ok(subst)
267        }
268
269        // Cons cells unify if tops and rests unify
270        (
271            StackType::Cons {
272                rest: rest1,
273                top: top1,
274            },
275            StackType::Cons {
276                rest: rest2,
277                top: top2,
278            },
279        ) => {
280            // Unify the tops
281            let s_top = unify_types(top1, top2)?;
282
283            // Apply substitution to rests and unify
284            let rest1_subst = s_top.apply_stack(rest1);
285            let rest2_subst = s_top.apply_stack(rest2);
286            let s_rest = unify_stacks(&rest1_subst, &rest2_subst)?;
287
288            // Compose substitutions
289            Ok(s_top.compose(&s_rest))
290        }
291
292        // Empty doesn't unify with Cons
293        _ => Err(format!(
294            "Stack shape mismatch: cannot unify {} with {}",
295            s1, s2
296        )),
297    }
298}
299
300#[cfg(test)]
301mod tests;