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