]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/transform/qualify_min_const_fn.rs
Auto merge of #66507 - ecstatic-morse:const-if-match, r=oli-obk
[rust.git] / src / librustc_mir / transform / qualify_min_const_fn.rs
1 use rustc::hir::def_id::DefId;
2 use rustc::hir;
3 use rustc::mir::*;
4 use rustc::ty::{self, Predicate, Ty, TyCtxt, adjustment::{PointerCast}};
5 use rustc_target::spec::abi;
6 use std::borrow::Cow;
7 use syntax_pos::Span;
8 use syntax::symbol::{sym, Symbol};
9 use syntax::attr;
10
11 type McfResult = Result<(), (Span, Cow<'static, str>)>;
12
13 pub fn is_min_const_fn(tcx: TyCtxt<'tcx>, def_id: DefId, body: &'a Body<'tcx>) -> McfResult {
14     let mut current = def_id;
15     loop {
16         let predicates = tcx.predicates_of(current);
17         for (predicate, _) in predicates.predicates {
18             match predicate {
19                 | Predicate::RegionOutlives(_)
20                 | Predicate::TypeOutlives(_)
21                 | Predicate::WellFormed(_)
22                 | Predicate::Projection(_)
23                 | Predicate::ConstEvaluatable(..) => continue,
24                 | Predicate::ObjectSafe(_) => {
25                     bug!("object safe predicate on function: {:#?}", predicate)
26                 }
27                 Predicate::ClosureKind(..) => {
28                     bug!("closure kind predicate on function: {:#?}", predicate)
29                 }
30                 Predicate::Subtype(_) => bug!("subtype predicate on function: {:#?}", predicate),
31                 Predicate::Trait(pred) => {
32                     if Some(pred.def_id()) == tcx.lang_items().sized_trait() {
33                         continue;
34                     }
35                     match pred.skip_binder().self_ty().kind {
36                         ty::Param(ref p) => {
37                             let generics = tcx.generics_of(current);
38                             let def = generics.type_param(p, tcx);
39                             let span = tcx.def_span(def.def_id);
40                             return Err((
41                                 span,
42                                 "trait bounds other than `Sized` \
43                                  on const fn parameters are unstable"
44                                     .into(),
45                             ));
46                         }
47                         // other kinds of bounds are either tautologies
48                         // or cause errors in other passes
49                         _ => continue,
50                     }
51                 }
52             }
53         }
54         match predicates.parent {
55             Some(parent) => current = parent,
56             None => break,
57         }
58     }
59
60     for local in &body.local_decls {
61         check_ty(tcx, local.ty, local.source_info.span, def_id)?;
62     }
63     // impl trait is gone in MIR, so check the return type manually
64     check_ty(
65         tcx,
66         tcx.fn_sig(def_id).output().skip_binder(),
67         body.local_decls.iter().next().unwrap().source_info.span,
68         def_id,
69     )?;
70
71     for bb in body.basic_blocks() {
72         check_terminator(tcx, body, def_id, bb.terminator())?;
73         for stmt in &bb.statements {
74             check_statement(tcx, body, def_id, stmt)?;
75         }
76     }
77     Ok(())
78 }
79
80 fn check_ty(tcx: TyCtxt<'tcx>, ty: Ty<'tcx>, span: Span, fn_def_id: DefId) -> McfResult {
81     for ty in ty.walk() {
82         match ty.kind {
83             ty::Ref(_, _, hir::Mutability::Mutable) => return Err((
84                 span,
85                 "mutable references in const fn are unstable".into(),
86             )),
87             ty::Opaque(..) => return Err((span, "`impl Trait` in const fn is unstable".into())),
88             ty::FnPtr(..) => {
89                 if !tcx.const_fn_is_allowed_fn_ptr(fn_def_id) {
90                     return Err((span, "function pointers in const fn are unstable".into()))
91                 }
92             }
93             ty::Dynamic(preds, _) => {
94                 for pred in preds.iter() {
95                     match pred.skip_binder() {
96                         | ty::ExistentialPredicate::AutoTrait(_)
97                         | ty::ExistentialPredicate::Projection(_) => {
98                             return Err((
99                                 span,
100                                 "trait bounds other than `Sized` \
101                                  on const fn parameters are unstable"
102                                     .into(),
103                             ))
104                         }
105                         ty::ExistentialPredicate::Trait(trait_ref) => {
106                             if Some(trait_ref.def_id) != tcx.lang_items().sized_trait() {
107                                 return Err((
108                                     span,
109                                     "trait bounds other than `Sized` \
110                                      on const fn parameters are unstable"
111                                         .into(),
112                                 ));
113                             }
114                         }
115                     }
116                 }
117             }
118             _ => {}
119         }
120     }
121     Ok(())
122 }
123
124 fn check_rvalue(
125     tcx: TyCtxt<'tcx>,
126     body: &Body<'tcx>,
127     def_id: DefId,
128     rvalue: &Rvalue<'tcx>,
129     span: Span,
130 ) -> McfResult {
131     match rvalue {
132         Rvalue::Repeat(operand, _) | Rvalue::Use(operand) => {
133             check_operand(tcx, operand, span, def_id, body)
134         }
135         Rvalue::Len(place) | Rvalue::Discriminant(place) | Rvalue::Ref(_, _, place) => {
136             check_place(tcx, place, span, def_id, body)
137         }
138         Rvalue::Cast(CastKind::Misc, operand, cast_ty) => {
139             use rustc::ty::cast::CastTy;
140             let cast_in = CastTy::from_ty(operand.ty(body, tcx)).expect("bad input type for cast");
141             let cast_out = CastTy::from_ty(cast_ty).expect("bad output type for cast");
142             match (cast_in, cast_out) {
143                 (CastTy::Ptr(_), CastTy::Int(_)) | (CastTy::FnPtr, CastTy::Int(_)) => Err((
144                     span,
145                     "casting pointers to ints is unstable in const fn".into(),
146                 )),
147                 (CastTy::RPtr(_), CastTy::Float) => bug!(),
148                 (CastTy::RPtr(_), CastTy::Int(_)) => bug!(),
149                 (CastTy::Ptr(_), CastTy::RPtr(_)) => bug!(),
150                 _ => check_operand(tcx, operand, span, def_id, body),
151             }
152         }
153         Rvalue::Cast(CastKind::Pointer(PointerCast::MutToConstPointer), operand, _)
154         | Rvalue::Cast(CastKind::Pointer(PointerCast::ArrayToPointer), operand, _) => {
155             check_operand(tcx, operand, span, def_id, body)
156         }
157         Rvalue::Cast(CastKind::Pointer(PointerCast::UnsafeFnPointer), _, _) |
158         Rvalue::Cast(CastKind::Pointer(PointerCast::ClosureFnPointer(_)), _, _) |
159         Rvalue::Cast(CastKind::Pointer(PointerCast::ReifyFnPointer), _, _) => Err((
160             span,
161             "function pointer casts are not allowed in const fn".into(),
162         )),
163         Rvalue::Cast(CastKind::Pointer(PointerCast::Unsize), _, _) => Err((
164             span,
165             "unsizing casts are not allowed in const fn".into(),
166         )),
167         // binops are fine on integers
168         Rvalue::BinaryOp(_, lhs, rhs) | Rvalue::CheckedBinaryOp(_, lhs, rhs) => {
169             check_operand(tcx, lhs, span, def_id, body)?;
170             check_operand(tcx, rhs, span, def_id, body)?;
171             let ty = lhs.ty(body, tcx);
172             if ty.is_integral() || ty.is_bool() || ty.is_char() {
173                 Ok(())
174             } else {
175                 Err((
176                     span,
177                     "only int, `bool` and `char` operations are stable in const fn".into(),
178                 ))
179             }
180         }
181         Rvalue::NullaryOp(NullOp::SizeOf, _) => Ok(()),
182         Rvalue::NullaryOp(NullOp::Box, _) => Err((
183             span,
184             "heap allocations are not allowed in const fn".into(),
185         )),
186         Rvalue::UnaryOp(_, operand) => {
187             let ty = operand.ty(body, tcx);
188             if ty.is_integral() || ty.is_bool() {
189                 check_operand(tcx, operand, span, def_id, body)
190             } else {
191                 Err((
192                     span,
193                     "only int and `bool` operations are stable in const fn".into(),
194                 ))
195             }
196         }
197         Rvalue::Aggregate(_, operands) => {
198             for operand in operands {
199                 check_operand(tcx, operand, span, def_id, body)?;
200             }
201             Ok(())
202         }
203     }
204 }
205
206 fn check_statement(
207     tcx: TyCtxt<'tcx>,
208     body: &Body<'tcx>,
209     def_id: DefId,
210     statement: &Statement<'tcx>,
211 ) -> McfResult {
212     let span = statement.source_info.span;
213     match &statement.kind {
214         StatementKind::Assign(box(place, rval)) => {
215             check_place(tcx, place, span, def_id, body)?;
216             check_rvalue(tcx, body, def_id, rval, span)
217         }
218
219         | StatementKind::FakeRead(FakeReadCause::ForMatchedPlace, _)
220         if !tcx.features().const_if_match
221         => {
222             Err((span, "loops and conditional expressions are not stable in const fn".into()))
223         }
224
225         StatementKind::FakeRead(_, place) => check_place(tcx, place, span, def_id, body),
226
227         // just an assignment
228         StatementKind::SetDiscriminant { .. } => Ok(()),
229
230         | StatementKind::InlineAsm { .. } => {
231             Err((span, "cannot use inline assembly in const fn".into()))
232         }
233
234         // These are all NOPs
235         | StatementKind::StorageLive(_)
236         | StatementKind::StorageDead(_)
237         | StatementKind::Retag { .. }
238         | StatementKind::AscribeUserType(..)
239         | StatementKind::Nop => Ok(()),
240     }
241 }
242
243 fn check_operand(
244     tcx: TyCtxt<'tcx>,
245     operand: &Operand<'tcx>,
246     span: Span,
247     def_id: DefId,
248     body: &Body<'tcx>
249 ) -> McfResult {
250     match operand {
251         Operand::Move(place) | Operand::Copy(place) => {
252             check_place(tcx, place, span, def_id, body)
253         }
254         Operand::Constant(c) => match c.check_static_ptr(tcx) {
255             Some(_) => Err((span, "cannot access `static` items in const fn".into())),
256             None => Ok(()),
257         },
258     }
259 }
260
261 fn check_place(
262     tcx: TyCtxt<'tcx>,
263     place: &Place<'tcx>,
264     span: Span,
265     def_id: DefId,
266     body: &Body<'tcx>
267 ) -> McfResult {
268     let mut cursor = place.projection.as_ref();
269     while let &[ref proj_base @ .., elem] = cursor {
270         cursor = proj_base;
271         match elem {
272             ProjectionElem::Downcast(..) if !tcx.features().const_if_match
273                 => return Err((span, "`match` or `if let` in `const fn` is unstable".into())),
274             ProjectionElem::Downcast(_symbol, _variant_index) => {}
275
276             ProjectionElem::Field(..) => {
277                 let base_ty = Place::ty_from(&place.base, &proj_base, body, tcx).ty;
278                 if let Some(def) = base_ty.ty_adt_def() {
279                     // No union field accesses in `const fn`
280                     if def.is_union() {
281                         if !feature_allowed(tcx, def_id, sym::const_fn_union) {
282                             return Err((span, "accessing union fields is unstable".into()));
283                         }
284                     }
285                 }
286             }
287             ProjectionElem::ConstantIndex { .. }
288             | ProjectionElem::Subslice { .. }
289             | ProjectionElem::Deref
290             | ProjectionElem::Index(_) => {}
291         }
292     }
293
294     Ok(())
295 }
296
297 /// Returns whether `allow_internal_unstable(..., <feature_gate>, ...)` is present.
298 fn feature_allowed(
299     tcx: TyCtxt<'tcx>,
300     def_id: DefId,
301     feature_gate: Symbol,
302 ) -> bool {
303     attr::allow_internal_unstable(&tcx.get_attrs(def_id), &tcx.sess.diagnostic())
304         .map_or(false, |mut features| features.any(|name| name == feature_gate))
305 }
306
307 fn check_terminator(
308     tcx: TyCtxt<'tcx>,
309     body: &'a Body<'tcx>,
310     def_id: DefId,
311     terminator: &Terminator<'tcx>,
312 ) -> McfResult {
313     let span = terminator.source_info.span;
314     match &terminator.kind {
315         | TerminatorKind::Goto { .. }
316         | TerminatorKind::Return
317         | TerminatorKind::Resume => Ok(()),
318
319         TerminatorKind::Drop { location, .. } => {
320             check_place(tcx, location, span, def_id, body)
321         }
322         TerminatorKind::DropAndReplace { location, value, .. } => {
323             check_place(tcx, location, span, def_id, body)?;
324             check_operand(tcx, value, span, def_id, body)
325         },
326
327         | TerminatorKind::FalseEdges { .. }
328         | TerminatorKind::SwitchInt { .. }
329         if !tcx.features().const_if_match
330         => Err((
331             span,
332             "loops and conditional expressions are not stable in const fn".into(),
333         )),
334
335         TerminatorKind::FalseEdges { .. } => Ok(()),
336         TerminatorKind::SwitchInt { discr, switch_ty: _, values: _, targets: _ } => {
337             check_operand(tcx, discr, span, def_id, body)
338         }
339
340         | TerminatorKind::Abort | TerminatorKind::Unreachable => {
341             Err((span, "const fn with unreachable code is not stable".into()))
342         }
343         | TerminatorKind::GeneratorDrop | TerminatorKind::Yield { .. } => {
344             Err((span, "const fn generators are unstable".into()))
345         }
346
347         TerminatorKind::Call {
348             func,
349             args,
350             from_hir_call: _,
351             destination: _,
352             cleanup: _,
353         } => {
354             let fn_ty = func.ty(body, tcx);
355             if let ty::FnDef(def_id, _) = fn_ty.kind {
356
357                 // some intrinsics are waved through if called inside the
358                 // standard library. Users never need to call them directly
359                 match tcx.fn_sig(def_id).abi() {
360                     abi::Abi::RustIntrinsic => if !is_intrinsic_whitelisted(tcx, def_id) {
361                         return Err((
362                             span,
363                             "can only call a curated list of intrinsics in `min_const_fn`".into(),
364                         ))
365                     },
366                     abi::Abi::Rust if tcx.is_min_const_fn(def_id) => {},
367                     abi::Abi::Rust => return Err((
368                         span,
369                         format!(
370                             "can only call other `const fn` within a `const fn`, \
371                              but `{:?}` is not stable as `const fn`",
372                             func,
373                         )
374                         .into(),
375                     )),
376                     abi => return Err((
377                         span,
378                         format!(
379                             "cannot call functions with `{}` abi in `min_const_fn`",
380                             abi,
381                         ).into(),
382                     )),
383                 }
384
385                 check_operand(tcx, func, span, def_id, body)?;
386
387                 for arg in args {
388                     check_operand(tcx, arg, span, def_id, body)?;
389                 }
390                 Ok(())
391             } else {
392                 Err((span, "can only call other const fns within const fn".into()))
393             }
394         }
395
396         TerminatorKind::Assert {
397             cond,
398             expected: _,
399             msg: _,
400             target: _,
401             cleanup: _,
402         } => check_operand(tcx, cond, span, def_id, body),
403
404         TerminatorKind::FalseUnwind { .. } => {
405             Err((span, "loops are not allowed in const fn".into()))
406         },
407     }
408 }
409
410 /// Returns `true` if the `def_id` refers to an intrisic which we've whitelisted
411 /// for being called from stable `const fn`s (`min_const_fn`).
412 ///
413 /// Adding more intrinsics requires sign-off from @rust-lang/lang.
414 fn is_intrinsic_whitelisted(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
415     match &*tcx.item_name(def_id).as_str() {
416         | "size_of"
417         | "min_align_of"
418         | "needs_drop"
419         // Arithmetic:
420         | "add_with_overflow" // ~> .overflowing_add
421         | "sub_with_overflow" // ~> .overflowing_sub
422         | "mul_with_overflow" // ~> .overflowing_mul
423         | "wrapping_add" // ~> .wrapping_add
424         | "wrapping_sub" // ~> .wrapping_sub
425         | "wrapping_mul" // ~> .wrapping_mul
426         | "saturating_add" // ~> .saturating_add
427         | "saturating_sub" // ~> .saturating_sub
428         | "unchecked_shl" // ~> .wrapping_shl
429         | "unchecked_shr" // ~> .wrapping_shr
430         | "rotate_left" // ~> .rotate_left
431         | "rotate_right" // ~> .rotate_right
432         | "ctpop" // ~> .count_ones
433         | "ctlz" // ~> .leading_zeros
434         | "cttz" // ~> .trailing_zeros
435         | "bswap" // ~> .swap_bytes
436         | "bitreverse" // ~> .reverse_bits
437         => true,
438         _ => false,
439     }
440 }