]> git.lizzy.rs Git - rust.git/blob - src/tools/clippy/clippy_utils/src/qualify_min_const_fn.rs
Rollup merge of #93966 - rkuhn:patch-1, r=tmandry
[rust.git] / src / tools / clippy / clippy_utils / src / qualify_min_const_fn.rs
1 // This code used to be a part of `rustc` but moved to Clippy as a result of
2 // https://github.com/rust-lang/rust/issues/76618. Because of that, it contains unused code and some
3 // of terminologies might not be relevant in the context of Clippy. Note that its behavior might
4 // differ from the time of `rustc` even if the name stays the same.
5
6 use rustc_hir as hir;
7 use rustc_hir::def_id::DefId;
8 use rustc_middle::mir::{
9     Body, CastKind, NullOp, Operand, Place, ProjectionElem, Rvalue, Statement, StatementKind, Terminator,
10     TerminatorKind,
11 };
12 use rustc_middle::ty::subst::GenericArgKind;
13 use rustc_middle::ty::{self, adjustment::PointerCast, Ty, TyCtxt};
14 use rustc_semver::RustcVersion;
15 use rustc_span::symbol::sym;
16 use rustc_span::Span;
17 use std::borrow::Cow;
18
19 type McfResult = Result<(), (Span, Cow<'static, str>)>;
20
21 pub fn is_min_const_fn<'a, 'tcx>(tcx: TyCtxt<'tcx>, body: &'a Body<'tcx>, msrv: Option<RustcVersion>) -> McfResult {
22     let def_id = body.source.def_id();
23     let mut current = def_id;
24     loop {
25         let predicates = tcx.predicates_of(current);
26         for (predicate, _) in predicates.predicates {
27             match predicate.kind().skip_binder() {
28                 ty::PredicateKind::RegionOutlives(_)
29                 | ty::PredicateKind::TypeOutlives(_)
30                 | ty::PredicateKind::WellFormed(_)
31                 | ty::PredicateKind::Projection(_)
32                 | ty::PredicateKind::ConstEvaluatable(..)
33                 | ty::PredicateKind::ConstEquate(..)
34                 | ty::PredicateKind::Trait(..)
35                 | ty::PredicateKind::TypeWellFormedFromEnv(..) => continue,
36                 ty::PredicateKind::ObjectSafe(_) => panic!("object safe predicate on function: {:#?}", predicate),
37                 ty::PredicateKind::ClosureKind(..) => panic!("closure kind predicate on function: {:#?}", predicate),
38                 ty::PredicateKind::Subtype(_) => panic!("subtype predicate on function: {:#?}", predicate),
39                 ty::PredicateKind::Coerce(_) => panic!("coerce predicate on function: {:#?}", predicate),
40             }
41         }
42         match predicates.parent {
43             Some(parent) => current = parent,
44             None => break,
45         }
46     }
47
48     for local in &body.local_decls {
49         check_ty(tcx, local.ty, local.source_info.span)?;
50     }
51     // impl trait is gone in MIR, so check the return type manually
52     check_ty(
53         tcx,
54         tcx.fn_sig(def_id).output().skip_binder(),
55         body.local_decls.iter().next().unwrap().source_info.span,
56     )?;
57
58     for bb in body.basic_blocks() {
59         check_terminator(tcx, body, bb.terminator(), msrv)?;
60         for stmt in &bb.statements {
61             check_statement(tcx, body, def_id, stmt)?;
62         }
63     }
64     Ok(())
65 }
66
67 fn check_ty<'tcx>(tcx: TyCtxt<'tcx>, ty: Ty<'tcx>, span: Span) -> McfResult {
68     for arg in ty.walk() {
69         let ty = match arg.unpack() {
70             GenericArgKind::Type(ty) => ty,
71
72             // No constraints on lifetimes or constants, except potentially
73             // constants' types, but `walk` will get to them as well.
74             GenericArgKind::Lifetime(_) | GenericArgKind::Const(_) => continue,
75         };
76
77         match ty.kind() {
78             ty::Ref(_, _, hir::Mutability::Mut) => {
79                 return Err((span, "mutable references in const fn are unstable".into()));
80             },
81             ty::Opaque(..) => return Err((span, "`impl Trait` in const fn is unstable".into())),
82             ty::FnPtr(..) => {
83                 return Err((span, "function pointers in const fn are unstable".into()));
84             },
85             ty::Dynamic(preds, _) => {
86                 for pred in preds.iter() {
87                     match pred.skip_binder() {
88                         ty::ExistentialPredicate::AutoTrait(_) | ty::ExistentialPredicate::Projection(_) => {
89                             return Err((
90                                 span,
91                                 "trait bounds other than `Sized` \
92                                  on const fn parameters are unstable"
93                                     .into(),
94                             ));
95                         },
96                         ty::ExistentialPredicate::Trait(trait_ref) => {
97                             if Some(trait_ref.def_id) != tcx.lang_items().sized_trait() {
98                                 return Err((
99                                     span,
100                                     "trait bounds other than `Sized` \
101                                      on const fn parameters are unstable"
102                                         .into(),
103                                 ));
104                             }
105                         },
106                     }
107                 }
108             },
109             _ => {},
110         }
111     }
112     Ok(())
113 }
114
115 fn check_rvalue<'tcx>(
116     tcx: TyCtxt<'tcx>,
117     body: &Body<'tcx>,
118     def_id: DefId,
119     rvalue: &Rvalue<'tcx>,
120     span: Span,
121 ) -> McfResult {
122     match rvalue {
123         Rvalue::ThreadLocalRef(_) => Err((span, "cannot access thread local storage in const fn".into())),
124         Rvalue::Repeat(operand, _) | Rvalue::Use(operand) => check_operand(tcx, operand, span, body),
125         Rvalue::Len(place) | Rvalue::Discriminant(place) | Rvalue::Ref(_, _, place) | Rvalue::AddressOf(_, place) => {
126             check_place(tcx, *place, span, body)
127         },
128         Rvalue::Cast(CastKind::Misc, operand, cast_ty) => {
129             use rustc_middle::ty::cast::CastTy;
130             let cast_in = CastTy::from_ty(operand.ty(body, tcx)).expect("bad input type for cast");
131             let cast_out = CastTy::from_ty(*cast_ty).expect("bad output type for cast");
132             match (cast_in, cast_out) {
133                 (CastTy::Ptr(_) | CastTy::FnPtr, CastTy::Int(_)) => {
134                     Err((span, "casting pointers to ints is unstable in const fn".into()))
135                 },
136                 _ => check_operand(tcx, operand, span, body),
137             }
138         },
139         Rvalue::Cast(CastKind::Pointer(PointerCast::MutToConstPointer | PointerCast::ArrayToPointer), operand, _) => {
140             check_operand(tcx, operand, span, body)
141         },
142         Rvalue::Cast(
143             CastKind::Pointer(
144                 PointerCast::UnsafeFnPointer | PointerCast::ClosureFnPointer(_) | PointerCast::ReifyFnPointer,
145             ),
146             _,
147             _,
148         ) => Err((span, "function pointer casts are not allowed in const fn".into())),
149         Rvalue::Cast(CastKind::Pointer(PointerCast::Unsize), op, cast_ty) => {
150             let pointee_ty = if let Some(deref_ty) = cast_ty.builtin_deref(true) {
151                 deref_ty.ty
152             } else {
153                 // We cannot allow this for now.
154                 return Err((span, "unsizing casts are only allowed for references right now".into()));
155             };
156             let unsized_ty = tcx.struct_tail_erasing_lifetimes(pointee_ty, tcx.param_env(def_id));
157             if let ty::Slice(_) | ty::Str = unsized_ty.kind() {
158                 check_operand(tcx, op, span, body)?;
159                 // Casting/coercing things to slices is fine.
160                 Ok(())
161             } else {
162                 // We just can't allow trait objects until we have figured out trait method calls.
163                 Err((span, "unsizing casts are not allowed in const fn".into()))
164             }
165         },
166         // binops are fine on integers
167         Rvalue::BinaryOp(_, box (lhs, rhs)) | Rvalue::CheckedBinaryOp(_, box (lhs, rhs)) => {
168             check_operand(tcx, lhs, span, body)?;
169             check_operand(tcx, rhs, span, body)?;
170             let ty = lhs.ty(body, tcx);
171             if ty.is_integral() || ty.is_bool() || ty.is_char() {
172                 Ok(())
173             } else {
174                 Err((
175                     span,
176                     "only int, `bool` and `char` operations are stable in const fn".into(),
177                 ))
178             }
179         },
180         Rvalue::NullaryOp(NullOp::SizeOf | NullOp::AlignOf, _) | Rvalue::ShallowInitBox(_, _) => Ok(()),
181         Rvalue::UnaryOp(_, operand) => {
182             let ty = operand.ty(body, tcx);
183             if ty.is_integral() || ty.is_bool() {
184                 check_operand(tcx, operand, span, body)
185             } else {
186                 Err((span, "only int and `bool` operations are stable in const fn".into()))
187             }
188         },
189         Rvalue::Aggregate(_, operands) => {
190             for operand in operands {
191                 check_operand(tcx, operand, span, body)?;
192             }
193             Ok(())
194         },
195     }
196 }
197
198 fn check_statement<'tcx>(
199     tcx: TyCtxt<'tcx>,
200     body: &Body<'tcx>,
201     def_id: DefId,
202     statement: &Statement<'tcx>,
203 ) -> McfResult {
204     let span = statement.source_info.span;
205     match &statement.kind {
206         StatementKind::Assign(box (place, rval)) => {
207             check_place(tcx, *place, span, body)?;
208             check_rvalue(tcx, body, def_id, rval, span)
209         },
210
211         StatementKind::FakeRead(box (_, place)) => check_place(tcx, *place, span, body),
212         // just an assignment
213         StatementKind::SetDiscriminant { place, .. } | StatementKind::Deinit(place) => {
214             check_place(tcx, **place, span, body)
215         },
216
217         StatementKind::CopyNonOverlapping(box rustc_middle::mir::CopyNonOverlapping { dst, src, count }) => {
218             check_operand(tcx, dst, span, body)?;
219             check_operand(tcx, src, span, body)?;
220             check_operand(tcx, count, span, body)
221         },
222         // These are all NOPs
223         StatementKind::StorageLive(_)
224         | StatementKind::StorageDead(_)
225         | StatementKind::Retag { .. }
226         | StatementKind::AscribeUserType(..)
227         | StatementKind::Coverage(..)
228         | StatementKind::Nop => Ok(()),
229     }
230 }
231
232 fn check_operand<'tcx>(tcx: TyCtxt<'tcx>, operand: &Operand<'tcx>, span: Span, body: &Body<'tcx>) -> McfResult {
233     match operand {
234         Operand::Move(place) | Operand::Copy(place) => check_place(tcx, *place, span, body),
235         Operand::Constant(c) => match c.check_static_ptr(tcx) {
236             Some(_) => Err((span, "cannot access `static` items in const fn".into())),
237             None => Ok(()),
238         },
239     }
240 }
241
242 fn check_place<'tcx>(tcx: TyCtxt<'tcx>, place: Place<'tcx>, span: Span, body: &Body<'tcx>) -> McfResult {
243     let mut cursor = place.projection.as_ref();
244     while let [ref proj_base @ .., elem] = *cursor {
245         cursor = proj_base;
246         match elem {
247             ProjectionElem::Field(..) => {
248                 let base_ty = Place::ty_from(place.local, proj_base, body, tcx).ty;
249                 if let Some(def) = base_ty.ty_adt_def() {
250                     // No union field accesses in `const fn`
251                     if def.is_union() {
252                         return Err((span, "accessing union fields is unstable".into()));
253                     }
254                 }
255             },
256             ProjectionElem::ConstantIndex { .. }
257             | ProjectionElem::Downcast(..)
258             | ProjectionElem::Subslice { .. }
259             | ProjectionElem::Deref
260             | ProjectionElem::Index(_) => {},
261         }
262     }
263
264     Ok(())
265 }
266
267 fn check_terminator<'a, 'tcx>(
268     tcx: TyCtxt<'tcx>,
269     body: &'a Body<'tcx>,
270     terminator: &Terminator<'tcx>,
271     msrv: Option<RustcVersion>,
272 ) -> McfResult {
273     let span = terminator.source_info.span;
274     match &terminator.kind {
275         TerminatorKind::FalseEdge { .. }
276         | TerminatorKind::FalseUnwind { .. }
277         | TerminatorKind::Goto { .. }
278         | TerminatorKind::Return
279         | TerminatorKind::Resume
280         | TerminatorKind::Unreachable => Ok(()),
281
282         TerminatorKind::Drop { place, .. } => check_place(tcx, *place, span, body),
283         TerminatorKind::DropAndReplace { place, value, .. } => {
284             check_place(tcx, *place, span, body)?;
285             check_operand(tcx, value, span, body)
286         },
287
288         TerminatorKind::SwitchInt {
289             discr,
290             switch_ty: _,
291             targets: _,
292         } => check_operand(tcx, discr, span, body),
293
294         TerminatorKind::Abort => Err((span, "abort is not stable in const fn".into())),
295         TerminatorKind::GeneratorDrop | TerminatorKind::Yield { .. } => {
296             Err((span, "const fn generators are unstable".into()))
297         },
298
299         TerminatorKind::Call {
300             func,
301             args,
302             from_hir_call: _,
303             destination: _,
304             target: _,
305             cleanup: _,
306             fn_span: _,
307         } => {
308             let fn_ty = func.ty(body, tcx);
309             if let ty::FnDef(fn_def_id, _) = *fn_ty.kind() {
310                 if !is_const_fn(tcx, fn_def_id, msrv) {
311                     return Err((
312                         span,
313                         format!(
314                             "can only call other `const fn` within a `const fn`, \
315                              but `{:?}` is not stable as `const fn`",
316                             func,
317                         )
318                         .into(),
319                     ));
320                 }
321
322                 // HACK: This is to "unstabilize" the `transmute` intrinsic
323                 // within const fns. `transmute` is allowed in all other const contexts.
324                 // This won't really scale to more intrinsics or functions. Let's allow const
325                 // transmutes in const fn before we add more hacks to this.
326                 if tcx.is_intrinsic(fn_def_id) && tcx.item_name(fn_def_id) == sym::transmute {
327                     return Err((
328                         span,
329                         "can only call `transmute` from const items, not `const fn`".into(),
330                     ));
331                 }
332
333                 check_operand(tcx, func, span, body)?;
334
335                 for arg in args {
336                     check_operand(tcx, arg, span, body)?;
337                 }
338                 Ok(())
339             } else {
340                 Err((span, "can only call other const fns within const fn".into()))
341             }
342         },
343
344         TerminatorKind::Assert {
345             cond,
346             expected: _,
347             msg: _,
348             target: _,
349             cleanup: _,
350         } => check_operand(tcx, cond, span, body),
351
352         TerminatorKind::InlineAsm { .. } => Err((span, "cannot use inline assembly in const fn".into())),
353     }
354 }
355
356 fn is_const_fn(tcx: TyCtxt<'_>, def_id: DefId, msrv: Option<RustcVersion>) -> bool {
357     tcx.is_const_fn(def_id)
358         && tcx.lookup_const_stability(def_id).map_or(true, |const_stab| {
359             if let rustc_attr::StabilityLevel::Stable { since } = const_stab.level {
360                 // Checking MSRV is manually necessary because `rustc` has no such concept. This entire
361                 // function could be removed if `rustc` provided a MSRV-aware version of `is_const_fn`.
362                 // as a part of an unimplemented MSRV check https://github.com/rust-lang/rust/issues/65262.
363                 crate::meets_msrv(
364                     msrv,
365                     RustcVersion::parse(since.as_str())
366                         .expect("`rustc_attr::StabilityLevel::Stable::since` is ill-formatted"),
367                 )
368             } else {
369                 // Unstable const fn with the feature enabled.
370                 msrv.is_none()
371             }
372         })
373 }