]> git.lizzy.rs Git - rust.git/blob - src/tools/clippy/clippy_utils/src/qualify_min_const_fn.rs
Rollup merge of #97498 - ijchen:master, r=Mark-Simulacrum
[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::PointerAddress, _, _) => {
129             Err((span, "casting pointers to ints is unstable in const fn".into()))
130         },
131         Rvalue::Cast(CastKind::Misc, operand, _) => {
132             check_operand(tcx, operand, span, body)
133         },
134         Rvalue::Cast(CastKind::Pointer(PointerCast::MutToConstPointer | PointerCast::ArrayToPointer), operand, _) => {
135             check_operand(tcx, operand, span, body)
136         },
137         Rvalue::Cast(
138             CastKind::Pointer(
139                 PointerCast::UnsafeFnPointer | PointerCast::ClosureFnPointer(_) | PointerCast::ReifyFnPointer,
140             ),
141             _,
142             _,
143         ) => Err((span, "function pointer casts are not allowed in const fn".into())),
144         Rvalue::Cast(CastKind::Pointer(PointerCast::Unsize), op, cast_ty) => {
145             let pointee_ty = if let Some(deref_ty) = cast_ty.builtin_deref(true) {
146                 deref_ty.ty
147             } else {
148                 // We cannot allow this for now.
149                 return Err((span, "unsizing casts are only allowed for references right now".into()));
150             };
151             let unsized_ty = tcx.struct_tail_erasing_lifetimes(pointee_ty, tcx.param_env(def_id));
152             if let ty::Slice(_) | ty::Str = unsized_ty.kind() {
153                 check_operand(tcx, op, span, body)?;
154                 // Casting/coercing things to slices is fine.
155                 Ok(())
156             } else {
157                 // We just can't allow trait objects until we have figured out trait method calls.
158                 Err((span, "unsizing casts are not allowed in const fn".into()))
159             }
160         },
161         // binops are fine on integers
162         Rvalue::BinaryOp(_, box (lhs, rhs)) | Rvalue::CheckedBinaryOp(_, box (lhs, rhs)) => {
163             check_operand(tcx, lhs, span, body)?;
164             check_operand(tcx, rhs, span, body)?;
165             let ty = lhs.ty(body, tcx);
166             if ty.is_integral() || ty.is_bool() || ty.is_char() {
167                 Ok(())
168             } else {
169                 Err((
170                     span,
171                     "only int, `bool` and `char` operations are stable in const fn".into(),
172                 ))
173             }
174         },
175         Rvalue::NullaryOp(NullOp::SizeOf | NullOp::AlignOf, _) | Rvalue::ShallowInitBox(_, _) => Ok(()),
176         Rvalue::UnaryOp(_, operand) => {
177             let ty = operand.ty(body, tcx);
178             if ty.is_integral() || ty.is_bool() {
179                 check_operand(tcx, operand, span, body)
180             } else {
181                 Err((span, "only int and `bool` operations are stable in const fn".into()))
182             }
183         },
184         Rvalue::Aggregate(_, operands) => {
185             for operand in operands {
186                 check_operand(tcx, operand, span, body)?;
187             }
188             Ok(())
189         },
190     }
191 }
192
193 fn check_statement<'tcx>(
194     tcx: TyCtxt<'tcx>,
195     body: &Body<'tcx>,
196     def_id: DefId,
197     statement: &Statement<'tcx>,
198 ) -> McfResult {
199     let span = statement.source_info.span;
200     match &statement.kind {
201         StatementKind::Assign(box (place, rval)) => {
202             check_place(tcx, *place, span, body)?;
203             check_rvalue(tcx, body, def_id, rval, span)
204         },
205
206         StatementKind::FakeRead(box (_, place)) => check_place(tcx, *place, span, body),
207         // just an assignment
208         StatementKind::SetDiscriminant { place, .. } | StatementKind::Deinit(place) => {
209             check_place(tcx, **place, span, body)
210         },
211
212         StatementKind::CopyNonOverlapping(box rustc_middle::mir::CopyNonOverlapping { dst, src, count }) => {
213             check_operand(tcx, dst, span, body)?;
214             check_operand(tcx, src, span, body)?;
215             check_operand(tcx, count, span, body)
216         },
217         // These are all NOPs
218         StatementKind::StorageLive(_)
219         | StatementKind::StorageDead(_)
220         | StatementKind::Retag { .. }
221         | StatementKind::AscribeUserType(..)
222         | StatementKind::Coverage(..)
223         | StatementKind::Nop => Ok(()),
224     }
225 }
226
227 fn check_operand<'tcx>(tcx: TyCtxt<'tcx>, operand: &Operand<'tcx>, span: Span, body: &Body<'tcx>) -> McfResult {
228     match operand {
229         Operand::Move(place) | Operand::Copy(place) => check_place(tcx, *place, span, body),
230         Operand::Constant(c) => match c.check_static_ptr(tcx) {
231             Some(_) => Err((span, "cannot access `static` items in const fn".into())),
232             None => Ok(()),
233         },
234     }
235 }
236
237 fn check_place<'tcx>(tcx: TyCtxt<'tcx>, place: Place<'tcx>, span: Span, body: &Body<'tcx>) -> McfResult {
238     let mut cursor = place.projection.as_ref();
239     while let [ref proj_base @ .., elem] = *cursor {
240         cursor = proj_base;
241         match elem {
242             ProjectionElem::Field(..) => {
243                 let base_ty = Place::ty_from(place.local, proj_base, body, tcx).ty;
244                 if let Some(def) = base_ty.ty_adt_def() {
245                     // No union field accesses in `const fn`
246                     if def.is_union() {
247                         return Err((span, "accessing union fields is unstable".into()));
248                     }
249                 }
250             },
251             ProjectionElem::ConstantIndex { .. }
252             | ProjectionElem::Downcast(..)
253             | ProjectionElem::Subslice { .. }
254             | ProjectionElem::Deref
255             | ProjectionElem::Index(_) => {},
256         }
257     }
258
259     Ok(())
260 }
261
262 fn check_terminator<'a, 'tcx>(
263     tcx: TyCtxt<'tcx>,
264     body: &'a Body<'tcx>,
265     terminator: &Terminator<'tcx>,
266     msrv: Option<RustcVersion>,
267 ) -> McfResult {
268     let span = terminator.source_info.span;
269     match &terminator.kind {
270         TerminatorKind::FalseEdge { .. }
271         | TerminatorKind::FalseUnwind { .. }
272         | TerminatorKind::Goto { .. }
273         | TerminatorKind::Return
274         | TerminatorKind::Resume
275         | TerminatorKind::Unreachable => Ok(()),
276
277         TerminatorKind::Drop { place, .. } => check_place(tcx, *place, span, body),
278         TerminatorKind::DropAndReplace { place, value, .. } => {
279             check_place(tcx, *place, span, body)?;
280             check_operand(tcx, value, span, body)
281         },
282
283         TerminatorKind::SwitchInt {
284             discr,
285             switch_ty: _,
286             targets: _,
287         } => check_operand(tcx, discr, span, body),
288
289         TerminatorKind::Abort => Err((span, "abort is not stable in const fn".into())),
290         TerminatorKind::GeneratorDrop | TerminatorKind::Yield { .. } => {
291             Err((span, "const fn generators are unstable".into()))
292         },
293
294         TerminatorKind::Call {
295             func,
296             args,
297             from_hir_call: _,
298             destination: _,
299             target: _,
300             cleanup: _,
301             fn_span: _,
302         } => {
303             let fn_ty = func.ty(body, tcx);
304             if let ty::FnDef(fn_def_id, _) = *fn_ty.kind() {
305                 if !is_const_fn(tcx, fn_def_id, msrv) {
306                     return Err((
307                         span,
308                         format!(
309                             "can only call other `const fn` within a `const fn`, \
310                              but `{:?}` is not stable as `const fn`",
311                             func,
312                         )
313                         .into(),
314                     ));
315                 }
316
317                 // HACK: This is to "unstabilize" the `transmute` intrinsic
318                 // within const fns. `transmute` is allowed in all other const contexts.
319                 // This won't really scale to more intrinsics or functions. Let's allow const
320                 // transmutes in const fn before we add more hacks to this.
321                 if tcx.is_intrinsic(fn_def_id) && tcx.item_name(fn_def_id) == sym::transmute {
322                     return Err((
323                         span,
324                         "can only call `transmute` from const items, not `const fn`".into(),
325                     ));
326                 }
327
328                 check_operand(tcx, func, span, body)?;
329
330                 for arg in args {
331                     check_operand(tcx, arg, span, body)?;
332                 }
333                 Ok(())
334             } else {
335                 Err((span, "can only call other const fns within const fn".into()))
336             }
337         },
338
339         TerminatorKind::Assert {
340             cond,
341             expected: _,
342             msg: _,
343             target: _,
344             cleanup: _,
345         } => check_operand(tcx, cond, span, body),
346
347         TerminatorKind::InlineAsm { .. } => Err((span, "cannot use inline assembly in const fn".into())),
348     }
349 }
350
351 fn is_const_fn(tcx: TyCtxt<'_>, def_id: DefId, msrv: Option<RustcVersion>) -> bool {
352     tcx.is_const_fn(def_id)
353         && tcx.lookup_const_stability(def_id).map_or(true, |const_stab| {
354             if let rustc_attr::StabilityLevel::Stable { since } = const_stab.level {
355                 // Checking MSRV is manually necessary because `rustc` has no such concept. This entire
356                 // function could be removed if `rustc` provided a MSRV-aware version of `is_const_fn`.
357                 // as a part of an unimplemented MSRV check https://github.com/rust-lang/rust/issues/65262.
358                 crate::meets_msrv(
359                     msrv,
360                     RustcVersion::parse(since.as_str())
361                         .expect("`rustc_attr::StabilityLevel::Stable::since` is ill-formatted"),
362                 )
363             } else {
364                 // Unstable const fn with the feature enabled.
365                 msrv.is_none()
366             }
367         })
368 }