]> git.lizzy.rs Git - rust.git/blob - src/librustc/mir/interpret/error.rs
Rollup merge of #65591 - GuillaumeGomez:long-err-explanation-E0588, r=Dylan-DPC
[rust.git] / src / librustc / mir / interpret / error.rs
1 use super::{RawConst, Pointer, CheckInAllocMsg, ScalarMaybeUndef};
2
3 use crate::hir;
4 use crate::hir::map::definitions::DefPathData;
5 use crate::mir;
6 use crate::ty::{self, Ty, layout};
7 use crate::ty::layout::{Size, Align, LayoutError};
8 use crate::ty::query::TyCtxtAt;
9
10 use backtrace::Backtrace;
11 use errors::DiagnosticBuilder;
12 use rustc_macros::HashStable;
13 use rustc_target::spec::abi::Abi;
14 use syntax_pos::{Pos, Span};
15 use syntax::symbol::Symbol;
16
17 use std::{fmt, env};
18
19 #[derive(Debug, Copy, Clone, PartialEq, Eq, HashStable, RustcEncodable, RustcDecodable)]
20 pub enum ErrorHandled {
21     /// Already reported a lint or an error for this evaluation.
22     Reported,
23     /// Don't emit an error, the evaluation failed because the MIR was generic
24     /// and the substs didn't fully monomorphize it.
25     TooGeneric,
26 }
27
28 impl ErrorHandled {
29     pub fn assert_reported(self) {
30         match self {
31             ErrorHandled::Reported => {},
32             ErrorHandled::TooGeneric => bug!("MIR interpretation failed without reporting an error \
33                                               even though it was fully monomorphized"),
34         }
35     }
36 }
37
38 CloneTypeFoldableImpls! {
39     ErrorHandled,
40 }
41
42 pub type ConstEvalRawResult<'tcx> = Result<RawConst<'tcx>, ErrorHandled>;
43 pub type ConstEvalResult<'tcx> = Result<&'tcx ty::Const<'tcx>, ErrorHandled>;
44
45 #[derive(Clone, Debug, RustcEncodable, RustcDecodable)]
46 pub struct ConstEvalErr<'tcx> {
47     pub span: Span,
48     pub error: crate::mir::interpret::InterpError<'tcx>,
49     pub stacktrace: Vec<FrameInfo<'tcx>>,
50 }
51
52 #[derive(Clone, Debug, RustcEncodable, RustcDecodable, HashStable)]
53 pub struct FrameInfo<'tcx> {
54     /// This span is in the caller.
55     pub call_site: Span,
56     pub instance: ty::Instance<'tcx>,
57     pub lint_root: Option<hir::HirId>,
58 }
59
60 impl<'tcx> fmt::Display for FrameInfo<'tcx> {
61     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
62         ty::tls::with(|tcx| {
63             if tcx.def_key(self.instance.def_id()).disambiguated_data.data
64                 == DefPathData::ClosureExpr
65             {
66                 write!(f, "inside call to closure")?;
67             } else {
68                 write!(f, "inside call to `{}`", self.instance)?;
69             }
70             if !self.call_site.is_dummy() {
71                 let lo = tcx.sess.source_map().lookup_char_pos(self.call_site.lo());
72                 write!(f, " at {}:{}:{}", lo.file.name, lo.line, lo.col.to_usize() + 1)?;
73             }
74             Ok(())
75         })
76     }
77 }
78
79 impl<'tcx> ConstEvalErr<'tcx> {
80     pub fn struct_error(
81         &self,
82         tcx: TyCtxtAt<'tcx>,
83         message: &str,
84     ) -> Result<DiagnosticBuilder<'tcx>, ErrorHandled> {
85         self.struct_generic(tcx, message, None)
86     }
87
88     pub fn report_as_error(&self, tcx: TyCtxtAt<'tcx>, message: &str) -> ErrorHandled {
89         let err = self.struct_error(tcx, message);
90         match err {
91             Ok(mut err) => {
92                 err.emit();
93                 ErrorHandled::Reported
94             },
95             Err(err) => err,
96         }
97     }
98
99     pub fn report_as_lint(
100         &self,
101         tcx: TyCtxtAt<'tcx>,
102         message: &str,
103         lint_root: hir::HirId,
104         span: Option<Span>,
105     ) -> ErrorHandled {
106         let lint = self.struct_generic(
107             tcx,
108             message,
109             Some(lint_root),
110         );
111         match lint {
112             Ok(mut lint) => {
113                 if let Some(span) = span {
114                     let primary_spans = lint.span.primary_spans().to_vec();
115                     // point at the actual error as the primary span
116                     lint.replace_span_with(span);
117                     // point to the `const` statement as a secondary span
118                     // they don't have any label
119                     for sp in primary_spans {
120                         if sp != span {
121                             lint.span_label(sp, "");
122                         }
123                     }
124                 }
125                 lint.emit();
126                 ErrorHandled::Reported
127             },
128             Err(err) => err,
129         }
130     }
131
132     fn struct_generic(
133         &self,
134         tcx: TyCtxtAt<'tcx>,
135         message: &str,
136         lint_root: Option<hir::HirId>,
137     ) -> Result<DiagnosticBuilder<'tcx>, ErrorHandled> {
138         let must_error = match self.error {
139             err_inval!(Layout(LayoutError::Unknown(_))) |
140             err_inval!(TooGeneric) =>
141                 return Err(ErrorHandled::TooGeneric),
142             err_inval!(TypeckError) =>
143                 return Err(ErrorHandled::Reported),
144             err_inval!(Layout(LayoutError::SizeOverflow(_))) => true,
145             _ => false,
146         };
147         trace!("reporting const eval failure at {:?}", self.span);
148         let mut err = if let (Some(lint_root), false) = (lint_root, must_error) {
149             let hir_id = self.stacktrace
150                 .iter()
151                 .rev()
152                 .filter_map(|frame| frame.lint_root)
153                 .next()
154                 .unwrap_or(lint_root);
155             tcx.struct_span_lint_hir(
156                 crate::rustc::lint::builtin::CONST_ERR,
157                 hir_id,
158                 tcx.span,
159                 message,
160             )
161         } else if must_error {
162             struct_error(tcx, &self.error.to_string())
163         } else {
164             struct_error(tcx, message)
165         };
166         if !must_error {
167             err.span_label(self.span, self.error.to_string());
168         }
169         // Skip the last, which is just the environment of the constant.  The stacktrace
170         // is sometimes empty because we create "fake" eval contexts in CTFE to do work
171         // on constant values.
172         if self.stacktrace.len() > 0 {
173             for frame_info in &self.stacktrace[..self.stacktrace.len()-1] {
174                 err.span_label(frame_info.call_site, frame_info.to_string());
175             }
176         }
177         Ok(err)
178     }
179 }
180
181 pub fn struct_error<'tcx>(tcx: TyCtxtAt<'tcx>, msg: &str) -> DiagnosticBuilder<'tcx> {
182     struct_span_err!(tcx.sess, tcx.span, E0080, "{}", msg)
183 }
184
185 /// Packages the kind of error we got from the const code interpreter
186 /// up with a Rust-level backtrace of where the error occured.
187 /// Thsese should always be constructed by calling `.into()` on
188 /// a `InterpError`. In `librustc_mir::interpret`, we have `throw_err_*`
189 /// macros for this.
190 #[derive(Debug, Clone)]
191 pub struct InterpErrorInfo<'tcx> {
192     pub kind: InterpError<'tcx>,
193     backtrace: Option<Box<Backtrace>>,
194 }
195
196
197 impl fmt::Display for InterpErrorInfo<'_> {
198     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
199         write!(f, "{}", self.kind)
200     }
201 }
202
203 impl InterpErrorInfo<'_> {
204     pub fn print_backtrace(&mut self) {
205         if let Some(ref mut backtrace) = self.backtrace {
206             print_backtrace(&mut *backtrace);
207         }
208     }
209 }
210
211 fn print_backtrace(backtrace: &mut Backtrace) {
212     backtrace.resolve();
213     eprintln!("\n\nAn error occurred in miri:\n{:?}", backtrace);
214 }
215
216 impl From<ErrorHandled> for InterpErrorInfo<'tcx> {
217     fn from(err: ErrorHandled) -> Self {
218         match err {
219             ErrorHandled::Reported => err_inval!(ReferencedConstant),
220             ErrorHandled::TooGeneric => err_inval!(TooGeneric),
221         }.into()
222     }
223 }
224
225 impl<'tcx> From<InterpError<'tcx>> for InterpErrorInfo<'tcx> {
226     fn from(kind: InterpError<'tcx>) -> Self {
227         let backtrace = match env::var("RUSTC_CTFE_BACKTRACE") {
228             // Matching `RUST_BACKTRACE` -- we treat "0" the same as "not present".
229             Ok(ref val) if val != "0" => {
230                 let mut backtrace = Backtrace::new_unresolved();
231
232                 if val == "immediate" {
233                     // Print it now.
234                     print_backtrace(&mut backtrace);
235                     None
236                 } else {
237                     Some(Box::new(backtrace))
238                 }
239             },
240             _ => None,
241         };
242         InterpErrorInfo {
243             kind,
244             backtrace,
245         }
246     }
247 }
248
249 #[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
250 pub enum PanicInfo<O> {
251     Panic {
252         msg: Symbol,
253         line: u32,
254         col: u32,
255         file: Symbol,
256     },
257     BoundsCheck {
258         len: O,
259         index: O,
260     },
261     Overflow(mir::BinOp),
262     OverflowNeg,
263     DivisionByZero,
264     RemainderByZero,
265     GeneratorResumedAfterReturn,
266     GeneratorResumedAfterPanic,
267 }
268
269 /// Type for MIR `Assert` terminator error messages.
270 pub type AssertMessage<'tcx> = PanicInfo<mir::Operand<'tcx>>;
271
272 impl<O> PanicInfo<O> {
273     /// Getting a description does not require `O` to be printable, and does not
274     /// require allocation.
275     /// The caller is expected to handle `Panic` and `BoundsCheck` separately.
276     pub fn description(&self) -> &'static str {
277         use PanicInfo::*;
278         match self {
279             Overflow(mir::BinOp::Add) =>
280                 "attempt to add with overflow",
281             Overflow(mir::BinOp::Sub) =>
282                 "attempt to subtract with overflow",
283             Overflow(mir::BinOp::Mul) =>
284                 "attempt to multiply with overflow",
285             Overflow(mir::BinOp::Div) =>
286                 "attempt to divide with overflow",
287             Overflow(mir::BinOp::Rem) =>
288                 "attempt to calculate the remainder with overflow",
289             OverflowNeg =>
290                 "attempt to negate with overflow",
291             Overflow(mir::BinOp::Shr) =>
292                 "attempt to shift right with overflow",
293             Overflow(mir::BinOp::Shl) =>
294                 "attempt to shift left with overflow",
295             Overflow(op) =>
296                 bug!("{:?} cannot overflow", op),
297             DivisionByZero =>
298                 "attempt to divide by zero",
299             RemainderByZero =>
300                 "attempt to calculate the remainder with a divisor of zero",
301             GeneratorResumedAfterReturn =>
302                 "generator resumed after completion",
303             GeneratorResumedAfterPanic =>
304                 "generator resumed after panicking",
305             Panic { .. } | BoundsCheck { .. } =>
306                 bug!("Unexpected PanicInfo"),
307         }
308     }
309 }
310
311 impl<O: fmt::Debug> fmt::Debug for PanicInfo<O> {
312     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
313         use PanicInfo::*;
314         match self {
315             Panic { ref msg, line, col, ref file } =>
316                 write!(f, "the evaluated program panicked at '{}', {}:{}:{}", msg, file, line, col),
317             BoundsCheck { ref len, ref index } =>
318                 write!(f, "index out of bounds: the len is {:?} but the index is {:?}", len, index),
319             _ =>
320                 write!(f, "{}", self.description()),
321         }
322     }
323 }
324
325 /// Error information for when the program we executed turned out not to actually be a valid
326 /// program. This cannot happen in stand-alone Miri, but it can happen during CTFE/ConstProp
327 /// where we work on generic code or execution does not have all information available.
328 #[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
329 pub enum InvalidProgramInfo<'tcx> {
330     /// Resolution can fail if we are in a too generic context.
331     TooGeneric,
332     /// Cannot compute this constant because it depends on another one
333     /// which already produced an error.
334     ReferencedConstant,
335     /// Abort in case type errors are reached.
336     TypeckError,
337     /// An error occurred during layout computation.
338     Layout(layout::LayoutError<'tcx>),
339 }
340
341 impl fmt::Debug for InvalidProgramInfo<'tcx> {
342     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
343         use InvalidProgramInfo::*;
344         match self {
345             TooGeneric =>
346                 write!(f, "encountered overly generic constant"),
347             ReferencedConstant =>
348                 write!(f, "referenced constant has errors"),
349             TypeckError =>
350                 write!(f, "encountered constants with type errors, stopping evaluation"),
351             Layout(ref err) =>
352                 write!(f, "{}", err),
353         }
354     }
355 }
356
357 /// Error information for when the program caused Undefined Behavior.
358 #[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
359 pub enum UndefinedBehaviorInfo {
360     /// Free-form case. Only for errors that are never caught!
361     Ub(String),
362     /// Free-form case for experimental UB. Only for errors that are never caught!
363     UbExperimental(String),
364     /// Unreachable code was executed.
365     Unreachable,
366     /// An enum discriminant was set to a value which was outside the range of valid values.
367     InvalidDiscriminant(ScalarMaybeUndef),
368 }
369
370 impl fmt::Debug for UndefinedBehaviorInfo {
371     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
372         use UndefinedBehaviorInfo::*;
373         match self {
374             Ub(msg) | UbExperimental(msg) =>
375                 write!(f, "{}", msg),
376             Unreachable =>
377                 write!(f, "entered unreachable code"),
378             InvalidDiscriminant(val) =>
379                 write!(f, "encountered invalid enum discriminant {}", val),
380         }
381     }
382 }
383
384 /// Error information for when the program did something that might (or might not) be correct
385 /// to do according to the Rust spec, but due to limitations in the interpreter, the
386 /// operation could not be carried out. These limitations can differ between CTFE and the
387 /// Miri engine, e.g., CTFE does not support casting pointers to "real" integers.
388 ///
389 /// Currently, we also use this as fall-back error kind for errors that have not been
390 /// categorized yet.
391 #[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
392 pub enum UnsupportedOpInfo<'tcx> {
393     /// Free-form case. Only for errors that are never caught!
394     Unsupported(String),
395
396     // -- Everything below is not categorized yet --
397     FunctionAbiMismatch(Abi, Abi),
398     FunctionArgMismatch(Ty<'tcx>, Ty<'tcx>),
399     FunctionRetMismatch(Ty<'tcx>, Ty<'tcx>),
400     FunctionArgCountMismatch,
401     UnterminatedCString(Pointer),
402     DanglingPointerDeref,
403     DoubleFree,
404     InvalidMemoryAccess,
405     InvalidFunctionPointer,
406     InvalidBool,
407     PointerOutOfBounds {
408         ptr: Pointer,
409         msg: CheckInAllocMsg,
410         allocation_size: Size,
411     },
412     InvalidNullPointerUsage,
413     ReadPointerAsBytes,
414     ReadBytesAsPointer,
415     ReadForeignStatic,
416     InvalidPointerMath,
417     ReadUndefBytes(Size),
418     DeadLocal,
419     InvalidBoolOp(mir::BinOp),
420     UnimplementedTraitSelection,
421     CalledClosureAsFunction,
422     NoMirFor(String),
423     DerefFunctionPointer,
424     ExecuteMemory,
425     InvalidChar(u128),
426     OutOfTls,
427     TlsOutOfBounds,
428     AlignmentCheckFailed {
429         required: Align,
430         has: Align,
431     },
432     ValidationFailure(String),
433     VtableForArgumentlessMethod,
434     ModifiedConstantMemory,
435     ModifiedStatic,
436     TypeNotPrimitive(Ty<'tcx>),
437     ReallocatedWrongMemoryKind(String, String),
438     DeallocatedWrongMemoryKind(String, String),
439     ReallocateNonBasePtr,
440     DeallocateNonBasePtr,
441     IncorrectAllocationInformation(Size, Size, Align, Align),
442     HeapAllocZeroBytes,
443     HeapAllocNonPowerOfTwoAlignment(u64),
444     ReadFromReturnPointer,
445     PathNotFound(Vec<String>),
446 }
447
448 impl fmt::Debug for UnsupportedOpInfo<'tcx> {
449     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
450         use UnsupportedOpInfo::*;
451         match self {
452             PointerOutOfBounds { ptr, msg, allocation_size } => {
453                 write!(f, "{} failed: pointer must be in-bounds at offset {}, \
454                            but is outside bounds of allocation {} which has size {}",
455                     msg, ptr.offset.bytes(), ptr.alloc_id, allocation_size.bytes())
456             },
457             ValidationFailure(ref err) => {
458                 write!(f, "type validation failed: {}", err)
459             }
460             NoMirFor(ref func) => write!(f, "no MIR for `{}`", func),
461             FunctionAbiMismatch(caller_abi, callee_abi) =>
462                 write!(f, "tried to call a function with ABI {:?} using caller ABI {:?}",
463                     callee_abi, caller_abi),
464             FunctionArgMismatch(caller_ty, callee_ty) =>
465                 write!(f, "tried to call a function with argument of type {:?} \
466                            passing data of type {:?}",
467                     callee_ty, caller_ty),
468             FunctionRetMismatch(caller_ty, callee_ty) =>
469                 write!(f, "tried to call a function with return type {:?} \
470                            passing return place of type {:?}",
471                     callee_ty, caller_ty),
472             FunctionArgCountMismatch =>
473                 write!(f, "tried to call a function with incorrect number of arguments"),
474             ReallocatedWrongMemoryKind(ref old, ref new) =>
475                 write!(f, "tried to reallocate memory from `{}` to `{}`", old, new),
476             DeallocatedWrongMemoryKind(ref old, ref new) =>
477                 write!(f, "tried to deallocate `{}` memory but gave `{}` as the kind", old, new),
478             InvalidChar(c) =>
479                 write!(f, "tried to interpret an invalid 32-bit value as a char: {}", c),
480             AlignmentCheckFailed { required, has } =>
481                write!(f, "tried to access memory with alignment {}, but alignment {} is required",
482                       has.bytes(), required.bytes()),
483             TypeNotPrimitive(ty) =>
484                 write!(f, "expected primitive type, got {}", ty),
485             PathNotFound(ref path) =>
486                 write!(f, "cannot find path {:?}", path),
487             IncorrectAllocationInformation(size, size2, align, align2) =>
488                 write!(f, "incorrect alloc info: expected size {} and align {}, \
489                            got size {} and align {}",
490                     size.bytes(), align.bytes(), size2.bytes(), align2.bytes()),
491             InvalidMemoryAccess =>
492                 write!(f, "tried to access memory through an invalid pointer"),
493             DanglingPointerDeref =>
494                 write!(f, "dangling pointer was dereferenced"),
495             DoubleFree =>
496                 write!(f, "tried to deallocate dangling pointer"),
497             InvalidFunctionPointer =>
498                 write!(f, "tried to use a function pointer after offsetting it"),
499             InvalidBool =>
500                 write!(f, "invalid boolean value read"),
501             InvalidNullPointerUsage =>
502                 write!(f, "invalid use of NULL pointer"),
503             ReadPointerAsBytes =>
504                 write!(f, "a raw memory access tried to access part of a pointer value as raw \
505                     bytes"),
506             ReadBytesAsPointer =>
507                 write!(f, "a memory access tried to interpret some bytes as a pointer"),
508             ReadForeignStatic =>
509                 write!(f, "tried to read from foreign (extern) static"),
510             InvalidPointerMath =>
511                 write!(f, "attempted to do invalid arithmetic on pointers that would leak base \
512                     addresses, e.g., comparing pointers into different allocations"),
513             DeadLocal =>
514                 write!(f, "tried to access a dead local variable"),
515             DerefFunctionPointer =>
516                 write!(f, "tried to dereference a function pointer"),
517             ExecuteMemory =>
518                 write!(f, "tried to treat a memory pointer as a function pointer"),
519             OutOfTls =>
520                 write!(f, "reached the maximum number of representable TLS keys"),
521             TlsOutOfBounds =>
522                 write!(f, "accessed an invalid (unallocated) TLS key"),
523             CalledClosureAsFunction =>
524                 write!(f, "tried to call a closure through a function pointer"),
525             VtableForArgumentlessMethod =>
526                 write!(f, "tried to call a vtable function without arguments"),
527             ModifiedConstantMemory =>
528                 write!(f, "tried to modify constant memory"),
529             ModifiedStatic =>
530                 write!(f, "tried to modify a static's initial value from another static's \
531                     initializer"),
532             ReallocateNonBasePtr =>
533                 write!(f, "tried to reallocate with a pointer not to the beginning of an \
534                     existing object"),
535             DeallocateNonBasePtr =>
536                 write!(f, "tried to deallocate with a pointer not to the beginning of an \
537                     existing object"),
538             HeapAllocZeroBytes =>
539                 write!(f, "tried to re-, de- or allocate zero bytes on the heap"),
540             ReadFromReturnPointer =>
541                 write!(f, "tried to read from the return pointer"),
542             UnimplementedTraitSelection =>
543                 write!(f, "there were unresolved type arguments during trait selection"),
544             InvalidBoolOp(_) =>
545                 write!(f, "invalid boolean operation"),
546             UnterminatedCString(_) =>
547                 write!(f, "attempted to get length of a null-terminated string, but no null \
548                     found before end of allocation"),
549             ReadUndefBytes(_) =>
550                 write!(f, "attempted to read undefined bytes"),
551             HeapAllocNonPowerOfTwoAlignment(_) =>
552                 write!(f, "tried to re-, de-, or allocate heap memory with alignment that is \
553                     not a power of two"),
554             Unsupported(ref msg) =>
555                 write!(f, "{}", msg),
556         }
557     }
558 }
559
560 /// Error information for when the program exhausted the resources granted to it
561 /// by the interpreter.
562 #[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
563 pub enum ResourceExhaustionInfo {
564     /// The stack grew too big.
565     StackFrameLimitReached,
566     /// The program ran into an infinite loop.
567     InfiniteLoop,
568 }
569
570 impl fmt::Debug for ResourceExhaustionInfo {
571     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
572         use ResourceExhaustionInfo::*;
573         match self {
574             StackFrameLimitReached =>
575                 write!(f, "reached the configured maximum number of stack frames"),
576             InfiniteLoop =>
577                 write!(f, "duplicate interpreter state observed here, const evaluation will never \
578                     terminate"),
579         }
580     }
581 }
582
583 #[derive(Clone, RustcEncodable, RustcDecodable, HashStable)]
584 pub enum InterpError<'tcx> {
585     /// The program panicked.
586     Panic(PanicInfo<u64>),
587     /// The program caused undefined behavior.
588     UndefinedBehavior(UndefinedBehaviorInfo),
589     /// The program did something the interpreter does not support (some of these *might* be UB
590     /// but the interpreter is not sure).
591     Unsupported(UnsupportedOpInfo<'tcx>),
592     /// The program was invalid (ill-typed, not sufficiently monomorphized, ...).
593     InvalidProgram(InvalidProgramInfo<'tcx>),
594     /// The program exhausted the interpreter's resources (stack/heap too big,
595     /// execution takes too long, ..).
596     ResourceExhaustion(ResourceExhaustionInfo),
597     /// Not actually an interpreter error -- used to signal that execution has exited
598     /// with the given status code.  Used by Miri, but not by CTFE.
599     Exit(i32),
600 }
601
602 pub type InterpResult<'tcx, T = ()> = Result<T, InterpErrorInfo<'tcx>>;
603
604 impl fmt::Display for InterpError<'_> {
605     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
606         // Forward `Display` to `Debug`.
607         write!(f, "{:?}", self)
608     }
609 }
610
611 impl fmt::Debug for InterpError<'_> {
612     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
613         use InterpError::*;
614         match *self {
615             Unsupported(ref msg) =>
616                 write!(f, "{:?}", msg),
617             InvalidProgram(ref msg) =>
618                 write!(f, "{:?}", msg),
619             UndefinedBehavior(ref msg) =>
620                 write!(f, "{:?}", msg),
621             ResourceExhaustion(ref msg) =>
622                 write!(f, "{:?}", msg),
623             Panic(ref msg) =>
624                 write!(f, "{:?}", msg),
625             Exit(code) =>
626                 write!(f, "exited with status code {}", code),
627         }
628     }
629 }