]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_mir/src/const_eval/machine.rs
Auto merge of #79608 - alessandrod:bpf, r=nagisa
[rust.git] / compiler / rustc_mir / src / const_eval / machine.rs
1 use rustc_middle::mir;
2 use rustc_middle::ty::{self, Ty};
3 use std::borrow::Borrow;
4 use std::collections::hash_map::Entry;
5 use std::hash::Hash;
6
7 use rustc_data_structures::fx::FxHashMap;
8 use std::fmt;
9
10 use rustc_ast::Mutability;
11 use rustc_hir::def_id::DefId;
12 use rustc_middle::mir::AssertMessage;
13 use rustc_session::Limit;
14 use rustc_span::symbol::{sym, Symbol};
15 use rustc_target::abi::{Align, Size};
16 use rustc_target::spec::abi::Abi;
17
18 use crate::interpret::{
19     self, compile_time_machine, AllocId, Allocation, Frame, ImmTy, InterpCx, InterpResult, Memory,
20     OpTy, PlaceTy, Pointer, Scalar, StackPopUnwind,
21 };
22
23 use super::error::*;
24
25 impl<'mir, 'tcx> InterpCx<'mir, 'tcx, CompileTimeInterpreter<'mir, 'tcx>> {
26     /// "Intercept" a function call to a panic-related function
27     /// because we have something special to do for it.
28     /// If this returns successfully (`Ok`), the function should just be evaluated normally.
29     fn hook_panic_fn(
30         &mut self,
31         instance: ty::Instance<'tcx>,
32         args: &[OpTy<'tcx>],
33     ) -> InterpResult<'tcx> {
34         let def_id = instance.def_id();
35         if Some(def_id) == self.tcx.lang_items().panic_fn()
36             || Some(def_id) == self.tcx.lang_items().panic_str()
37             || Some(def_id) == self.tcx.lang_items().begin_panic_fn()
38         {
39             // &str
40             assert!(args.len() == 1);
41
42             let msg_place = self.deref_operand(&args[0])?;
43             let msg = Symbol::intern(self.read_str(&msg_place)?);
44             let span = self.find_closest_untracked_caller_location();
45             let (file, line, col) = self.location_triple_for_span(span);
46             Err(ConstEvalErrKind::Panic { msg, file, line, col }.into())
47         } else {
48             Ok(())
49         }
50     }
51 }
52
53 /// Extra machine state for CTFE, and the Machine instance
54 pub struct CompileTimeInterpreter<'mir, 'tcx> {
55     /// For now, the number of terminators that can be evaluated before we throw a resource
56     /// exhaustion error.
57     ///
58     /// Setting this to `0` disables the limit and allows the interpreter to run forever.
59     pub steps_remaining: usize,
60
61     /// The virtual call stack.
62     pub(crate) stack: Vec<Frame<'mir, 'tcx, (), ()>>,
63 }
64
65 #[derive(Copy, Clone, Debug)]
66 pub struct MemoryExtra {
67     /// We need to make sure consts never point to anything mutable, even recursively. That is
68     /// relied on for pattern matching on consts with references.
69     /// To achieve this, two pieces have to work together:
70     /// * Interning makes everything outside of statics immutable.
71     /// * Pointers to allocations inside of statics can never leak outside, to a non-static global.
72     /// This boolean here controls the second part.
73     pub(super) can_access_statics: bool,
74 }
75
76 impl<'mir, 'tcx> CompileTimeInterpreter<'mir, 'tcx> {
77     pub(super) fn new(const_eval_limit: Limit) -> Self {
78         CompileTimeInterpreter { steps_remaining: const_eval_limit.0, stack: Vec::new() }
79     }
80 }
81
82 impl<K: Hash + Eq, V> interpret::AllocMap<K, V> for FxHashMap<K, V> {
83     #[inline(always)]
84     fn contains_key<Q: ?Sized + Hash + Eq>(&mut self, k: &Q) -> bool
85     where
86         K: Borrow<Q>,
87     {
88         FxHashMap::contains_key(self, k)
89     }
90
91     #[inline(always)]
92     fn insert(&mut self, k: K, v: V) -> Option<V> {
93         FxHashMap::insert(self, k, v)
94     }
95
96     #[inline(always)]
97     fn remove<Q: ?Sized + Hash + Eq>(&mut self, k: &Q) -> Option<V>
98     where
99         K: Borrow<Q>,
100     {
101         FxHashMap::remove(self, k)
102     }
103
104     #[inline(always)]
105     fn filter_map_collect<T>(&self, mut f: impl FnMut(&K, &V) -> Option<T>) -> Vec<T> {
106         self.iter().filter_map(move |(k, v)| f(k, &*v)).collect()
107     }
108
109     #[inline(always)]
110     fn get_or<E>(&self, k: K, vacant: impl FnOnce() -> Result<V, E>) -> Result<&V, E> {
111         match self.get(&k) {
112             Some(v) => Ok(v),
113             None => {
114                 vacant()?;
115                 bug!("The CTFE machine shouldn't ever need to extend the alloc_map when reading")
116             }
117         }
118     }
119
120     #[inline(always)]
121     fn get_mut_or<E>(&mut self, k: K, vacant: impl FnOnce() -> Result<V, E>) -> Result<&mut V, E> {
122         match self.entry(k) {
123             Entry::Occupied(e) => Ok(e.into_mut()),
124             Entry::Vacant(e) => {
125                 let v = vacant()?;
126                 Ok(e.insert(v))
127             }
128         }
129     }
130 }
131
132 crate type CompileTimeEvalContext<'mir, 'tcx> =
133     InterpCx<'mir, 'tcx, CompileTimeInterpreter<'mir, 'tcx>>;
134
135 #[derive(Debug, PartialEq, Eq, Copy, Clone)]
136 pub enum MemoryKind {
137     Heap,
138 }
139
140 impl fmt::Display for MemoryKind {
141     fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
142         match self {
143             MemoryKind::Heap => write!(f, "heap allocation"),
144         }
145     }
146 }
147
148 impl interpret::MayLeak for MemoryKind {
149     #[inline(always)]
150     fn may_leak(self) -> bool {
151         match self {
152             MemoryKind::Heap => false,
153         }
154     }
155 }
156
157 impl interpret::MayLeak for ! {
158     #[inline(always)]
159     fn may_leak(self) -> bool {
160         // `self` is uninhabited
161         self
162     }
163 }
164
165 impl<'mir, 'tcx: 'mir> CompileTimeEvalContext<'mir, 'tcx> {
166     fn guaranteed_eq(&mut self, a: Scalar, b: Scalar) -> bool {
167         match (a, b) {
168             // Comparisons between integers are always known.
169             (Scalar::Int { .. }, Scalar::Int { .. }) => a == b,
170             // Equality with integers can never be known for sure.
171             (Scalar::Int { .. }, Scalar::Ptr(_)) | (Scalar::Ptr(_), Scalar::Int { .. }) => false,
172             // FIXME: return `true` for when both sides are the same pointer, *except* that
173             // some things (like functions and vtables) do not have stable addresses
174             // so we need to be careful around them (see e.g. #73722).
175             (Scalar::Ptr(_), Scalar::Ptr(_)) => false,
176         }
177     }
178
179     fn guaranteed_ne(&mut self, a: Scalar, b: Scalar) -> bool {
180         match (a, b) {
181             // Comparisons between integers are always known.
182             (Scalar::Int(_), Scalar::Int(_)) => a != b,
183             // Comparisons of abstract pointers with null pointers are known if the pointer
184             // is in bounds, because if they are in bounds, the pointer can't be null.
185             // Inequality with integers other than null can never be known for sure.
186             (Scalar::Int(int), Scalar::Ptr(ptr)) | (Scalar::Ptr(ptr), Scalar::Int(int)) => {
187                 int.is_null() && !self.memory.ptr_may_be_null(ptr)
188             }
189             // FIXME: return `true` for at least some comparisons where we can reliably
190             // determine the result of runtime inequality tests at compile-time.
191             // Examples include comparison of addresses in different static items.
192             (Scalar::Ptr(_), Scalar::Ptr(_)) => false,
193         }
194     }
195 }
196
197 impl<'mir, 'tcx> interpret::Machine<'mir, 'tcx> for CompileTimeInterpreter<'mir, 'tcx> {
198     compile_time_machine!(<'mir, 'tcx>);
199
200     type MemoryKind = MemoryKind;
201
202     type MemoryExtra = MemoryExtra;
203
204     fn load_mir(
205         ecx: &InterpCx<'mir, 'tcx, Self>,
206         instance: ty::InstanceDef<'tcx>,
207     ) -> InterpResult<'tcx, &'tcx mir::Body<'tcx>> {
208         match instance {
209             ty::InstanceDef::Item(def) => {
210                 if ecx.tcx.is_ctfe_mir_available(def.did) {
211                     Ok(ecx.tcx.mir_for_ctfe_opt_const_arg(def))
212                 } else {
213                     throw_unsup!(NoMirFor(def.did))
214                 }
215             }
216             _ => Ok(ecx.tcx.instance_mir(instance)),
217         }
218     }
219
220     fn find_mir_or_eval_fn(
221         ecx: &mut InterpCx<'mir, 'tcx, Self>,
222         instance: ty::Instance<'tcx>,
223         _abi: Abi,
224         args: &[OpTy<'tcx>],
225         _ret: Option<(&PlaceTy<'tcx>, mir::BasicBlock)>,
226         _unwind: StackPopUnwind, // unwinding is not supported in consts
227     ) -> InterpResult<'tcx, Option<&'mir mir::Body<'tcx>>> {
228         debug!("find_mir_or_eval_fn: {:?}", instance);
229
230         // Only check non-glue functions
231         if let ty::InstanceDef::Item(def) = instance.def {
232             // Execution might have wandered off into other crates, so we cannot do a stability-
233             // sensitive check here.  But we can at least rule out functions that are not const
234             // at all.
235             if !ecx.tcx.is_const_fn_raw(def.did) {
236                 // Some functions we support even if they are non-const -- but avoid testing
237                 // that for const fn!
238                 ecx.hook_panic_fn(instance, args)?;
239                 // We certainly do *not* want to actually call the fn
240                 // though, so be sure we return here.
241                 throw_unsup_format!("calling non-const function `{}`", instance)
242             }
243         }
244         // This is a const fn. Call it.
245         Ok(Some(match ecx.load_mir(instance.def, None) {
246             Ok(body) => body,
247             Err(err) => {
248                 if let err_unsup!(NoMirFor(did)) = err.kind() {
249                     let path = ecx.tcx.def_path_str(*did);
250                     return Err(ConstEvalErrKind::NeedsRfc(format!(
251                         "calling extern function `{}`",
252                         path
253                     ))
254                     .into());
255                 }
256                 return Err(err);
257             }
258         }))
259     }
260
261     fn call_intrinsic(
262         ecx: &mut InterpCx<'mir, 'tcx, Self>,
263         instance: ty::Instance<'tcx>,
264         args: &[OpTy<'tcx>],
265         ret: Option<(&PlaceTy<'tcx>, mir::BasicBlock)>,
266         _unwind: StackPopUnwind,
267     ) -> InterpResult<'tcx> {
268         // Shared intrinsics.
269         if ecx.emulate_intrinsic(instance, args, ret)? {
270             return Ok(());
271         }
272         let intrinsic_name = ecx.tcx.item_name(instance.def_id());
273
274         // CTFE-specific intrinsics.
275         let (dest, ret) = match ret {
276             None => {
277                 return Err(ConstEvalErrKind::NeedsRfc(format!(
278                     "calling intrinsic `{}`",
279                     intrinsic_name
280                 ))
281                 .into());
282             }
283             Some(p) => p,
284         };
285         match intrinsic_name {
286             sym::ptr_guaranteed_eq | sym::ptr_guaranteed_ne => {
287                 let a = ecx.read_immediate(&args[0])?.to_scalar()?;
288                 let b = ecx.read_immediate(&args[1])?.to_scalar()?;
289                 let cmp = if intrinsic_name == sym::ptr_guaranteed_eq {
290                     ecx.guaranteed_eq(a, b)
291                 } else {
292                     ecx.guaranteed_ne(a, b)
293                 };
294                 ecx.write_scalar(Scalar::from_bool(cmp), dest)?;
295             }
296             sym::const_allocate => {
297                 let size = ecx.read_scalar(&args[0])?.to_machine_usize(ecx)?;
298                 let align = ecx.read_scalar(&args[1])?.to_machine_usize(ecx)?;
299
300                 let align = match Align::from_bytes(align) {
301                     Ok(a) => a,
302                     Err(err) => throw_ub_format!("align has to be a power of 2, {}", err),
303                 };
304
305                 let ptr = ecx.memory.allocate(
306                     Size::from_bytes(size as u64),
307                     align,
308                     interpret::MemoryKind::Machine(MemoryKind::Heap),
309                 );
310                 ecx.write_scalar(Scalar::Ptr(ptr), dest)?;
311             }
312             _ => {
313                 return Err(ConstEvalErrKind::NeedsRfc(format!(
314                     "calling intrinsic `{}`",
315                     intrinsic_name
316                 ))
317                 .into());
318             }
319         }
320
321         ecx.go_to_block(ret);
322         Ok(())
323     }
324
325     fn assert_panic(
326         ecx: &mut InterpCx<'mir, 'tcx, Self>,
327         msg: &AssertMessage<'tcx>,
328         _unwind: Option<mir::BasicBlock>,
329     ) -> InterpResult<'tcx> {
330         use rustc_middle::mir::AssertKind::*;
331         // Convert `AssertKind<Operand>` to `AssertKind<Scalar>`.
332         let eval_to_int =
333             |op| ecx.read_immediate(&ecx.eval_operand(op, None)?).map(|x| x.to_const_int());
334         let err = match msg {
335             BoundsCheck { ref len, ref index } => {
336                 let len = eval_to_int(len)?;
337                 let index = eval_to_int(index)?;
338                 BoundsCheck { len, index }
339             }
340             Overflow(op, l, r) => Overflow(*op, eval_to_int(l)?, eval_to_int(r)?),
341             OverflowNeg(op) => OverflowNeg(eval_to_int(op)?),
342             DivisionByZero(op) => DivisionByZero(eval_to_int(op)?),
343             RemainderByZero(op) => RemainderByZero(eval_to_int(op)?),
344             ResumedAfterReturn(generator_kind) => ResumedAfterReturn(*generator_kind),
345             ResumedAfterPanic(generator_kind) => ResumedAfterPanic(*generator_kind),
346         };
347         Err(ConstEvalErrKind::AssertFailure(err).into())
348     }
349
350     fn abort(_ecx: &mut InterpCx<'mir, 'tcx, Self>, msg: String) -> InterpResult<'tcx, !> {
351         Err(ConstEvalErrKind::Abort(msg).into())
352     }
353
354     fn ptr_to_int(_mem: &Memory<'mir, 'tcx, Self>, _ptr: Pointer) -> InterpResult<'tcx, u64> {
355         Err(ConstEvalErrKind::PtrToIntCast.into())
356     }
357
358     fn binary_ptr_op(
359         _ecx: &InterpCx<'mir, 'tcx, Self>,
360         _bin_op: mir::BinOp,
361         _left: &ImmTy<'tcx>,
362         _right: &ImmTy<'tcx>,
363     ) -> InterpResult<'tcx, (Scalar, bool, Ty<'tcx>)> {
364         Err(ConstEvalErrKind::NeedsRfc("pointer arithmetic or comparison".to_string()).into())
365     }
366
367     fn box_alloc(
368         _ecx: &mut InterpCx<'mir, 'tcx, Self>,
369         _dest: &PlaceTy<'tcx>,
370     ) -> InterpResult<'tcx> {
371         Err(ConstEvalErrKind::NeedsRfc("heap allocations via `box` keyword".to_string()).into())
372     }
373
374     fn before_terminator(ecx: &mut InterpCx<'mir, 'tcx, Self>) -> InterpResult<'tcx> {
375         // The step limit has already been hit in a previous call to `before_terminator`.
376         if ecx.machine.steps_remaining == 0 {
377             return Ok(());
378         }
379
380         ecx.machine.steps_remaining -= 1;
381         if ecx.machine.steps_remaining == 0 {
382             throw_exhaust!(StepLimitReached)
383         }
384
385         Ok(())
386     }
387
388     #[inline(always)]
389     fn init_frame_extra(
390         ecx: &mut InterpCx<'mir, 'tcx, Self>,
391         frame: Frame<'mir, 'tcx>,
392     ) -> InterpResult<'tcx, Frame<'mir, 'tcx>> {
393         // Enforce stack size limit. Add 1 because this is run before the new frame is pushed.
394         if !ecx.tcx.sess.recursion_limit().value_within_limit(ecx.stack().len() + 1) {
395             throw_exhaust!(StackFrameLimitReached)
396         } else {
397             Ok(frame)
398         }
399     }
400
401     #[inline(always)]
402     fn stack(
403         ecx: &'a InterpCx<'mir, 'tcx, Self>,
404     ) -> &'a [Frame<'mir, 'tcx, Self::PointerTag, Self::FrameExtra>] {
405         &ecx.machine.stack
406     }
407
408     #[inline(always)]
409     fn stack_mut(
410         ecx: &'a mut InterpCx<'mir, 'tcx, Self>,
411     ) -> &'a mut Vec<Frame<'mir, 'tcx, Self::PointerTag, Self::FrameExtra>> {
412         &mut ecx.machine.stack
413     }
414
415     fn before_access_global(
416         memory_extra: &MemoryExtra,
417         alloc_id: AllocId,
418         allocation: &Allocation,
419         static_def_id: Option<DefId>,
420         is_write: bool,
421     ) -> InterpResult<'tcx> {
422         if is_write {
423             // Write access. These are never allowed, but we give a targeted error message.
424             if allocation.mutability == Mutability::Not {
425                 Err(err_ub!(WriteToReadOnly(alloc_id)).into())
426             } else {
427                 Err(ConstEvalErrKind::ModifiedGlobal.into())
428             }
429         } else {
430             // Read access. These are usually allowed, with some exceptions.
431             if memory_extra.can_access_statics {
432                 // Machine configuration allows us read from anything (e.g., `static` initializer).
433                 Ok(())
434             } else if static_def_id.is_some() {
435                 // Machine configuration does not allow us to read statics
436                 // (e.g., `const` initializer).
437                 // See const_eval::machine::MemoryExtra::can_access_statics for why
438                 // this check is so important: if we could read statics, we could read pointers
439                 // to mutable allocations *inside* statics. These allocations are not themselves
440                 // statics, so pointers to them can get around the check in `validity.rs`.
441                 Err(ConstEvalErrKind::ConstAccessesStatic.into())
442             } else {
443                 // Immutable global, this read is fine.
444                 // But make sure we never accept a read from something mutable, that would be
445                 // unsound. The reason is that as the content of this allocation may be different
446                 // now and at run-time, so if we permit reading now we might return the wrong value.
447                 assert_eq!(allocation.mutability, Mutability::Not);
448                 Ok(())
449             }
450         }
451     }
452 }
453
454 // Please do not add any code below the above `Machine` trait impl. I (oli-obk) plan more cleanups
455 // so we can end up having a file with just that impl, but for now, let's keep the impl discoverable
456 // at the bottom of this file.