1use std::{
2 borrow::Cow,
3 cell::{OnceCell, RefCell},
4 collections::{BTreeMap, BTreeSet, VecDeque},
5 fmt,
6 path::Path,
7 rc::Rc,
8 sync::Arc,
9};
10
11use miden_core::AssemblyOp;
12use miden_debug_types::{Location, SourceFile, SourceManager, SourceManagerExt, SourceSpan};
13use miden_processor::{Operation, RowIndex, VmState};
14
15use crate::exec::TraceEvent;
16
17#[derive(Debug, Clone)]
18struct SpanContext {
19 frame_index: usize,
20 location: Option<Location>,
21}
22
23pub struct CallStack {
24 trace_events: Rc<RefCell<BTreeMap<RowIndex, TraceEvent>>>,
25 contexts: BTreeSet<Rc<str>>,
26 frames: Vec<CallFrame>,
27 block_stack: Vec<Option<SpanContext>>,
28}
29impl CallStack {
30 pub fn new(trace_events: Rc<RefCell<BTreeMap<RowIndex, TraceEvent>>>) -> Self {
31 Self {
32 trace_events,
33 contexts: BTreeSet::default(),
34 frames: vec![],
35 block_stack: vec![],
36 }
37 }
38
39 pub fn stacktrace<'a>(
40 &'a self,
41 recent: &'a VecDeque<Operation>,
42 source_manager: &'a dyn SourceManager,
43 ) -> StackTrace<'a> {
44 StackTrace::new(self, recent, source_manager)
45 }
46
47 pub fn current_frame(&self) -> Option<&CallFrame> {
48 self.frames.last()
49 }
50
51 pub fn current_frame_mut(&mut self) -> Option<&mut CallFrame> {
52 self.frames.last_mut()
53 }
54
55 pub fn frames(&self) -> &[CallFrame] {
56 self.frames.as_slice()
57 }
58
59 pub fn next(&mut self, state: &VmState) -> Option<CallFrame> {
63 if let Some(op) = state.op {
64 let procedure =
72 state.asmop.as_ref().map(|op| self.cache_procedure_name(op.context_name()));
73 let event = self.trace_events.borrow().get(&state.clk).copied();
81 log::trace!("handling {op} at cycle {}: {:?}", state.clk, &event);
82 let popped_frame = self.handle_trace_event(event, procedure.as_ref());
83 let is_frame_end = popped_frame.is_some();
84
85 let ignore = matches!(
87 op,
88 Operation::Join
89 | Operation::Split
90 | Operation::Span
91 | Operation::Respan
92 | Operation::End
93 );
94
95 match op {
97 Operation::Span => {
98 if let Some(asmop) = state.asmop.as_ref() {
99 log::debug!("{asmop:#?}");
100 self.block_stack.push(Some(SpanContext {
101 frame_index: self.frames.len().saturating_sub(1),
102 location: asmop.as_ref().location().cloned(),
103 }));
104 } else {
105 self.block_stack.push(None);
106 }
107 }
108 Operation::End => {
109 self.block_stack.pop();
110 }
111 Operation::Join | Operation::Split => {
112 self.block_stack.push(None);
113 }
114 _ => (),
115 }
116
117 if ignore || is_frame_end {
118 return popped_frame;
119 }
120
121 let (procedure, asmop) = match procedure {
124 proc @ Some(_) => {
125 (proc, state.asmop.as_ref().map(|info| info.as_ref()).map(Cow::Borrowed))
126 }
127 None => match self.block_stack.last() {
128 Some(Some(span_ctx)) => {
129 let proc =
130 self.frames.get(span_ctx.frame_index).and_then(|f| f.procedure.clone());
131 let info = state
132 .asmop
133 .as_ref()
134 .map(|info| info.as_ref())
135 .map(Cow::Borrowed)
136 .or_else(|| {
137 let context_name =
138 proc.as_deref().unwrap_or("<unknown>").to_string();
139 let raw_asmop = miden_core::AssemblyOp::new(
140 span_ctx.location.clone(),
141 context_name,
142 1,
143 op.to_string(),
144 false,
145 );
146 Some(Cow::Owned(raw_asmop))
147 });
148 (proc, info)
149 }
150 _ => (None, state.asmop.as_ref().map(|info| info.as_ref()).map(Cow::Borrowed)),
151 },
152 };
153
154 let procedure =
157 procedure.or_else(|| self.frames.last().and_then(|f| f.procedure.clone()));
158
159 if self.frames.is_empty() {
161 self.frames.push(CallFrame::new(procedure.clone()));
162 }
163
164 let current_frame = self.frames.last_mut().unwrap();
165
166 let procedure_context_updated =
169 current_frame.procedure.is_none() && procedure.is_some();
170 if procedure_context_updated {
171 current_frame.procedure.clone_from(&procedure);
172 }
173
174 if !matches!(op, Operation::Noop) {
176 let cycle_idx = state.asmop.as_ref().map(|info| info.cycle_idx()).unwrap_or(1);
177 current_frame.push(op, cycle_idx, asmop.as_deref());
178 }
179
180 let num_frames = self.frames.len();
182 if procedure_context_updated && num_frames > 1 {
183 let caller_frame = &mut self.frames[num_frames - 2];
184 if let Some(OpDetail::Exec { callee }) = caller_frame.context.back_mut()
185 && callee.is_none()
186 {
187 *callee = procedure;
188 }
189 }
190 }
191
192 None
193 }
194
195 fn cache_procedure_name(&mut self, context_name: &str) -> Rc<str> {
197 match self.contexts.get(context_name) {
198 Some(name) => Rc::clone(name),
199 None => {
200 let name = Rc::from(context_name.to_string().into_boxed_str());
201 self.contexts.insert(Rc::clone(&name));
202 name
203 }
204 }
205 }
206
207 fn handle_trace_event(
208 &mut self,
209 event: Option<TraceEvent>,
210 procedure: Option<&Rc<str>>,
211 ) -> Option<CallFrame> {
212 if let Some(event) = event {
214 match event {
215 TraceEvent::FrameStart => {
216 if let Some(current_frame) = self.frames.last_mut() {
218 current_frame.push_exec(procedure.cloned());
219 }
220 self.frames.push(CallFrame::new(procedure.cloned()));
222 }
223 TraceEvent::Unknown(code) => log::debug!("unknown trace event: {code}"),
224 TraceEvent::FrameEnd => {
225 return self.frames.pop();
226 }
227 _ => (),
228 }
229 }
230 None
231 }
232}
233
234pub struct CallFrame {
235 procedure: Option<Rc<str>>,
236 context: VecDeque<OpDetail>,
237 display_name: std::cell::OnceCell<Rc<str>>,
238 finishing: bool,
239}
240impl CallFrame {
241 pub fn new(procedure: Option<Rc<str>>) -> Self {
242 Self {
243 procedure,
244 context: Default::default(),
245 display_name: Default::default(),
246 finishing: false,
247 }
248 }
249
250 pub fn procedure(&self, strip_prefix: &str) -> Option<Rc<str>> {
251 self.procedure.as_ref()?;
252 let name = self.display_name.get_or_init(|| {
253 let name = self.procedure.as_deref().unwrap();
254 let name = match name.split_once("::") {
255 Some((module, rest)) if module == strip_prefix => demangle(rest),
256 _ => demangle(name),
257 };
258 Rc::from(name.into_boxed_str())
259 });
260 Some(Rc::clone(name))
261 }
262
263 pub fn push_exec(&mut self, callee: Option<Rc<str>>) {
264 if self.context.len() == 5 {
265 self.context.pop_front();
266 }
267
268 self.context.push_back(OpDetail::Exec { callee });
269 }
270
271 pub fn push(&mut self, opcode: Operation, cycle_idx: u8, op: Option<&AssemblyOp>) {
272 if cycle_idx > 1 {
273 let skip = self.context.back().map(|detail| matches!(detail, OpDetail::Full { op, .. } | OpDetail::Basic { op } if op == &opcode)).unwrap_or(false);
275 if skip {
276 return;
277 }
278 }
279
280 if self.context.len() == 5 {
281 self.context.pop_front();
282 }
283
284 match op {
285 Some(op) => {
286 let location = op.location().cloned();
287 self.context.push_back(OpDetail::Full {
288 op: opcode,
289 location,
290 resolved: Default::default(),
291 });
292 }
293 None => {
294 if let Some(loc) = self.context.back().map(|op| op.location().cloned()) {
297 self.context.push_back(OpDetail::Full {
298 op: opcode,
299 location: loc,
300 resolved: Default::default(),
301 });
302 } else {
303 self.context.push_back(OpDetail::Basic { op: opcode });
304 }
305 }
306 }
307 }
308
309 pub fn last_location(&self) -> Option<&Location> {
310 match self.context.back() {
311 Some(OpDetail::Full { location, .. }) => {
312 let loc = location.as_ref();
313 if loc.is_none() {
314 dbg!(&self.context);
315 }
316 loc
317 }
318 Some(OpDetail::Basic { .. }) => None,
319 Some(OpDetail::Exec { .. }) => {
320 let op = self.context.iter().rev().nth(1)?;
321 op.location()
322 }
323 None => None,
324 }
325 }
326
327 pub fn last_resolved(&self, source_manager: &dyn SourceManager) -> Option<&ResolvedLocation> {
328 self.context.back().and_then(|op| op.resolve(source_manager))
329 }
330
331 pub fn recent(&self) -> &VecDeque<OpDetail> {
332 &self.context
333 }
334
335 #[inline(always)]
336 pub fn should_break_on_exit(&self) -> bool {
337 self.finishing
338 }
339
340 #[inline(always)]
341 pub fn break_on_exit(&mut self) {
342 self.finishing = true;
343 }
344}
345
346#[derive(Debug, Clone)]
347pub enum OpDetail {
348 Full {
349 op: Operation,
350 location: Option<Location>,
351 resolved: OnceCell<Option<ResolvedLocation>>,
352 },
353 Exec {
354 callee: Option<Rc<str>>,
355 },
356 Basic {
357 op: Operation,
358 },
359}
360impl OpDetail {
361 pub fn callee(&self, strip_prefix: &str) -> Option<Box<str>> {
362 match self {
363 Self::Exec { callee: None } => Some(Box::from("<unknown>")),
364 Self::Exec {
365 callee: Some(callee),
366 } => {
367 let name = match callee.split_once("::") {
368 Some((module, rest)) if module == strip_prefix => demangle(rest),
369 _ => demangle(callee),
370 };
371 Some(name.into_boxed_str())
372 }
373 _ => None,
374 }
375 }
376
377 pub fn display(&self) -> String {
378 match self {
379 Self::Full { op, .. } | Self::Basic { op } => format!("{op}"),
380 Self::Exec {
381 callee: Some(callee),
382 } => format!("exec.{callee}"),
383 Self::Exec { callee: None } => "exec.<unavailable>".to_string(),
384 }
385 }
386
387 pub fn opcode(&self) -> Operation {
388 match self {
389 Self::Full { op, .. } | Self::Basic { op } => *op,
390 Self::Exec { .. } => panic!("no opcode associated with execs"),
391 }
392 }
393
394 pub fn location(&self) -> Option<&Location> {
395 match self {
396 Self::Full { location, .. } => location.as_ref(),
397 Self::Basic { .. } | Self::Exec { .. } => None,
398 }
399 }
400
401 pub fn resolve(&self, source_manager: &dyn SourceManager) -> Option<&ResolvedLocation> {
402 match self {
403 Self::Full {
404 location: Some(loc),
405 resolved,
406 ..
407 } => resolved
408 .get_or_init(|| {
409 let path = Path::new(loc.uri().as_str());
410 let source_file = if path.exists() {
411 source_manager.load_file(path).ok()?
412 } else {
413 source_manager.get_by_uri(loc.uri())?
414 };
415 let span = SourceSpan::new(source_file.id(), loc.start..loc.end);
416 let file_line_col = source_file.location(span);
417 Some(ResolvedLocation {
418 source_file,
419 line: file_line_col.line.to_u32(),
420 col: file_line_col.column.to_u32(),
421 span,
422 })
423 })
424 .as_ref(),
425 _ => None,
426 }
427 }
428}
429
430#[derive(Debug, Clone)]
431pub struct ResolvedLocation {
432 pub source_file: Arc<SourceFile>,
433 pub line: u32,
435 pub col: u32,
436 pub span: SourceSpan,
437}
438impl fmt::Display for ResolvedLocation {
439 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
440 write!(f, "{}:{}:{}", self.source_file.uri().as_str(), self.line, self.col)
441 }
442}
443
444pub struct CurrentFrame {
445 pub procedure: Option<Rc<str>>,
446 pub location: Option<ResolvedLocation>,
447}
448
449pub struct StackTrace<'a> {
450 callstack: &'a CallStack,
451 recent: &'a VecDeque<Operation>,
452 source_manager: &'a dyn SourceManager,
453 current_frame: Option<CurrentFrame>,
454}
455
456impl<'a> StackTrace<'a> {
457 pub fn new(
458 callstack: &'a CallStack,
459 recent: &'a VecDeque<Operation>,
460 source_manager: &'a dyn SourceManager,
461 ) -> Self {
462 let current_frame = callstack.current_frame().map(|frame| {
463 let location = frame.last_resolved(source_manager).cloned();
464 let procedure = frame.procedure("");
465 CurrentFrame {
466 procedure,
467 location,
468 }
469 });
470 Self {
471 callstack,
472 recent,
473 source_manager,
474 current_frame,
475 }
476 }
477
478 pub fn current_frame(&self) -> Option<&CurrentFrame> {
479 self.current_frame.as_ref()
480 }
481}
482
483impl fmt::Display for StackTrace<'_> {
484 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
485 use std::fmt::Write;
486
487 let num_frames = self.callstack.frames.len();
488
489 writeln!(f, "\nStack Trace:")?;
490
491 for (i, frame) in self.callstack.frames.iter().enumerate() {
492 let is_top = i + 1 == num_frames;
493 let name = frame.procedure("");
494 let name = name.as_deref().unwrap_or("<unknown>");
495 if is_top {
496 write!(f, " `-> {name}")?;
497 } else {
498 write!(f, " |-> {name}")?;
499 }
500 if let Some(resolved) = frame.last_resolved(self.source_manager) {
501 write!(f, " in {resolved}")?;
502 } else {
503 write!(f, " in <unavailable>")?;
504 }
505 if is_top {
506 let context_size = frame.context.len();
508 writeln!(f, ":\n\nLast {context_size} Instructions (of current frame):")?;
509 for (i, op) in frame.context.iter().enumerate() {
510 let is_last = i + 1 == context_size;
511 if let Some(callee) = op.callee("") {
512 write!(f, " | exec.{callee}")?;
513 } else {
514 write!(f, " | {}", &op.opcode())?;
515 }
516 if is_last {
517 writeln!(f, "\n `-> <error occured here>")?;
518 } else {
519 f.write_char('\n')?;
520 }
521 }
522
523 let context_size = self.recent.len();
524 writeln!(f, "\n\nLast {context_size} Instructions (any frame):")?;
525 for (i, op) in self.recent.iter().enumerate() {
526 let is_last = i + 1 == context_size;
527 if is_last {
528 writeln!(f, " | {}", &op)?;
529 writeln!(f, " `-> <error occured here>")?;
530 } else {
531 writeln!(f, " | {}", &op)?;
532 }
533 }
534 } else {
535 f.write_char('\n')?;
536 }
537 }
538
539 Ok(())
540 }
541}
542
543fn demangle(name: &str) -> String {
544 let mut input = name.as_bytes();
545 let mut demangled = Vec::with_capacity(input.len() * 2);
546 rustc_demangle::demangle_stream(&mut input, &mut demangled, false)
547 .expect("failed to write demangled identifier");
548 String::from_utf8(demangled).expect("demangled identifier contains invalid utf-8")
549}