Skip to main content

logicaffeine_compile/analysis/
escape.rs

1//! Escape analysis for zone safety.
2//!
3//! Implements the "Hotel California" containment rule: values can enter
4//! zones but cannot escape. This pass checks for obvious violations before
5//! code generation, providing Socratic error messages.
6//!
7//! # The Zone Rule
8//!
9//! Variables defined inside a zone are deallocated when the zone ends.
10//! Returning or assigning them to outer variables would create dangling
11//! references. This pass catches these common patterns with friendly errors.
12//!
13//! # Example
14//!
15//! ```text
16//! Zone "temp":
17//!     Let x be 5.
18//!     Return x.        ← Error: x cannot escape zone "temp"
19//! ```
20//!
21//! # Limitations
22//!
23//! More complex escape patterns (e.g., through closures or indirect references)
24//! are caught by Rust's borrow checker at compile time. This pass catches the
25//! common cases with better LOGOS-specific error messages.
26
27use std::collections::HashMap;
28use crate::ast::stmt::{Stmt, Expr, Block};
29use crate::intern::{Interner, Symbol};
30use crate::token::Span;
31
32/// Error type for escape violations
33#[derive(Debug, Clone)]
34pub struct EscapeError {
35    pub kind: EscapeErrorKind,
36    pub span: Span,
37}
38
39#[derive(Debug, Clone)]
40pub enum EscapeErrorKind {
41    /// Variable cannot escape zone via return
42    ReturnEscape {
43        variable: String,
44        zone_name: String,
45    },
46    /// Variable cannot escape zone via assignment to outer variable
47    AssignmentEscape {
48        variable: String,
49        target: String,
50        zone_name: String,
51    },
52}
53
54impl std::fmt::Display for EscapeError {
55    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
56        match &self.kind {
57            EscapeErrorKind::ReturnEscape { variable, zone_name } => {
58                write!(
59                    f,
60                    "Reference '{}' cannot escape zone '{}'.\n\n\
61                    Variables allocated inside a zone are deallocated when the zone ends.\n\
62                    Returning them would create a dangling reference.\n\n\
63                    Tip: Copy the data if you need it outside the zone.",
64                    variable, zone_name
65                )
66            }
67            EscapeErrorKind::AssignmentEscape { variable, target, zone_name } => {
68                write!(
69                    f,
70                    "Reference '{}' cannot escape zone '{}' via assignment to '{}'.\n\n\
71                    Variables allocated inside a zone are deallocated when the zone ends.\n\
72                    Assigning them to outer scope variables would create a dangling reference.\n\n\
73                    Tip: Copy the data if you need it outside the zone.",
74                    variable, zone_name, target
75                )
76            }
77        }
78    }
79}
80
81impl std::error::Error for EscapeError {}
82
83/// Tracks the "zone depth" of variables for escape analysis
84pub struct EscapeChecker<'a> {
85    /// Maps variable symbols to their zone depth (0 = global/outside all zones)
86    zone_depth: HashMap<Symbol, usize>,
87    /// Current zone depth (increases when entering zones)
88    current_depth: usize,
89    /// Stack of zone names for error messages
90    zone_stack: Vec<Symbol>,
91    /// String interner for resolving symbols
92    interner: &'a Interner,
93}
94
95impl<'a> EscapeChecker<'a> {
96    /// Create a new escape checker
97    pub fn new(interner: &'a Interner) -> Self {
98        Self {
99            zone_depth: HashMap::new(),
100            current_depth: 0,
101            zone_stack: Vec::new(),
102            interner,
103        }
104    }
105
106    /// Check a program (list of statements) for escape violations
107    pub fn check_program(&mut self, stmts: &[Stmt<'_>]) -> Result<(), EscapeError> {
108        self.check_block(stmts)
109    }
110
111    /// Check a block of statements
112    fn check_block(&mut self, stmts: &[Stmt<'_>]) -> Result<(), EscapeError> {
113        for stmt in stmts {
114            self.check_stmt(stmt)?;
115        }
116        Ok(())
117    }
118
119    /// Check a single statement for escape violations
120    fn check_stmt(&mut self, stmt: &Stmt<'_>) -> Result<(), EscapeError> {
121        match stmt {
122            Stmt::Zone { name, body, .. } => {
123                // Enter zone: increase depth
124                self.current_depth += 1;
125                self.zone_stack.push(*name);
126
127                // Check body statements
128                self.check_block(body)?;
129
130                // Exit zone: decrease depth
131                self.zone_stack.pop();
132                self.current_depth -= 1;
133            }
134
135            Stmt::Let { var, .. } => {
136                // Register variable at current depth
137                self.zone_depth.insert(*var, self.current_depth);
138            }
139
140            Stmt::Return { value: Some(expr) } => {
141                // Return escapes all zones (target depth = 0)
142                self.check_no_escape(expr, 0)?;
143            }
144
145            Stmt::Set { target, value } => {
146                // Assignment: check if value escapes to target's depth
147                let target_depth = self.zone_depth.get(target).copied().unwrap_or(0);
148                self.check_no_escape_with_target(value, target_depth, *target)?;
149            }
150
151            // Recurse into nested blocks
152            Stmt::If { then_block, else_block, .. } => {
153                self.check_block(then_block)?;
154                if let Some(else_b) = else_block {
155                    self.check_block(else_b)?;
156                }
157            }
158
159            Stmt::While { body, .. } => {
160                self.check_block(body)?;
161            }
162
163            Stmt::Repeat { body, .. } => {
164                self.check_block(body)?;
165            }
166
167            Stmt::Inspect { arms, .. } => {
168                for arm in arms {
169                    self.check_block(arm.body)?;
170                }
171            }
172
173            // Escape blocks are opaque — the Rust compiler handles zone safety for raw code
174            Stmt::Escape { .. } => {}
175
176            // Other statements don't introduce escape risks
177            _ => {}
178        }
179        Ok(())
180    }
181
182    /// Check that an expression doesn't escape to a shallower depth
183    fn check_no_escape(&self, expr: &Expr<'_>, max_depth: usize) -> Result<(), EscapeError> {
184        match expr {
185            Expr::Identifier(sym) => {
186                if let Some(&depth) = self.zone_depth.get(sym) {
187                    if depth > max_depth && depth > 0 {
188                        // This variable was defined in a deeper zone
189                        let zone_name = self.zone_stack.get(depth - 1)
190                            .map(|s| self.interner.resolve(*s).to_string())
191                            .unwrap_or_else(|| "unknown".to_string());
192                        let var_name = self.interner.resolve(*sym).to_string();
193                        return Err(EscapeError {
194                            kind: EscapeErrorKind::ReturnEscape {
195                                variable: var_name,
196                                zone_name,
197                            },
198                            span: Span::default(),
199                        });
200                    }
201                }
202            }
203
204            // Recurse into compound expressions
205            Expr::BinaryOp { left, right, .. } => {
206                self.check_no_escape(left, max_depth)?;
207                self.check_no_escape(right, max_depth)?;
208            }
209
210            Expr::Call { args, .. } => {
211                for arg in args {
212                    self.check_no_escape(arg, max_depth)?;
213                }
214            }
215
216            Expr::FieldAccess { object, .. } => {
217                self.check_no_escape(object, max_depth)?;
218            }
219
220            Expr::Index { collection, index } => {
221                self.check_no_escape(collection, max_depth)?;
222                self.check_no_escape(index, max_depth)?;
223            }
224
225            Expr::Slice { collection, start, end } => {
226                self.check_no_escape(collection, max_depth)?;
227                self.check_no_escape(start, max_depth)?;
228                self.check_no_escape(end, max_depth)?;
229            }
230
231            Expr::Copy { expr } | Expr::Give { value: expr } | Expr::Length { collection: expr } => {
232                self.check_no_escape(expr, max_depth)?;
233            }
234
235            Expr::List(items) | Expr::Tuple(items) => {
236                for item in items {
237                    self.check_no_escape(item, max_depth)?;
238                }
239            }
240
241            Expr::Range { start, end } => {
242                self.check_no_escape(start, max_depth)?;
243                self.check_no_escape(end, max_depth)?;
244            }
245
246            Expr::New { init_fields, .. } => {
247                for (_, expr) in init_fields {
248                    self.check_no_escape(expr, max_depth)?;
249                }
250            }
251
252            Expr::NewVariant { fields, .. } => {
253                for (_, expr) in fields {
254                    self.check_no_escape(expr, max_depth)?;
255                }
256            }
257
258            Expr::ManifestOf { zone } => {
259                self.check_no_escape(zone, max_depth)?;
260            }
261
262            Expr::ChunkAt { index, zone } => {
263                self.check_no_escape(index, max_depth)?;
264                self.check_no_escape(zone, max_depth)?;
265            }
266
267            Expr::Contains { collection, value } => {
268                self.check_no_escape(collection, max_depth)?;
269                self.check_no_escape(value, max_depth)?;
270            }
271
272            Expr::Union { left, right } | Expr::Intersection { left, right } => {
273                self.check_no_escape(left, max_depth)?;
274                self.check_no_escape(right, max_depth)?;
275            }
276
277            Expr::WithCapacity { value, capacity } => {
278                self.check_no_escape(value, max_depth)?;
279                self.check_no_escape(capacity, max_depth)?;
280            }
281
282            Expr::OptionSome { value } => {
283                self.check_no_escape(value, max_depth)?;
284            }
285            Expr::OptionNone => {}
286
287            // Escape expressions are opaque — the Rust compiler handles zone safety for raw code
288            Expr::Escape { .. } => {}
289
290            // Literals are always safe
291            Expr::Literal(_) => {}
292        }
293        Ok(())
294    }
295
296    /// Check that an expression doesn't escape via assignment
297    fn check_no_escape_with_target(
298        &self,
299        expr: &Expr<'_>,
300        max_depth: usize,
301        target: Symbol,
302    ) -> Result<(), EscapeError> {
303        match expr {
304            Expr::Identifier(sym) => {
305                if let Some(&depth) = self.zone_depth.get(sym) {
306                    if depth > max_depth && depth > 0 {
307                        let zone_name = self.zone_stack.get(depth - 1)
308                            .map(|s| self.interner.resolve(*s).to_string())
309                            .unwrap_or_else(|| "unknown".to_string());
310                        let var_name = self.interner.resolve(*sym).to_string();
311                        let target_name = self.interner.resolve(target).to_string();
312                        return Err(EscapeError {
313                            kind: EscapeErrorKind::AssignmentEscape {
314                                variable: var_name,
315                                target: target_name,
316                                zone_name,
317                            },
318                            span: Span::default(),
319                        });
320                    }
321                }
322            }
323            // For compound expressions, use the simpler check (return style error)
324            _ => self.check_no_escape(expr, max_depth)?,
325        }
326        Ok(())
327    }
328}
329
330#[cfg(test)]
331mod tests {
332    use super::*;
333
334    // Note: Full integration tests are in tests/phase85_zones.rs
335    // These unit tests verify the basic mechanics of the escape checker
336
337    #[test]
338    fn test_escape_checker_basic() {
339        use crate::intern::Interner;
340
341        let mut interner = Interner::new();
342        let checker = EscapeChecker::new(&interner);
343
344        // Just verify creation works
345        assert_eq!(checker.current_depth, 0);
346        assert!(checker.zone_depth.is_empty());
347    }
348}