]> git.proxmox.com Git - rustc.git/blame - compiler/rustc_mir_transform/src/shim.rs
New upstream version 1.60.0+dfsg1
[rustc.git] / compiler / rustc_mir_transform / src / shim.rs
CommitLineData
dfeec247
XL
1use rustc_hir as hir;
2use rustc_hir::def_id::DefId;
3dfed10e 3use rustc_hir::lang_items::LangItem;
ba9703b0
XL
4use rustc_middle::mir::*;
5use rustc_middle::ty::query::Providers;
6use rustc_middle::ty::subst::{InternalSubsts, Subst};
3dfed10e 7use rustc_middle::ty::{self, Ty, TyCtxt};
ba9703b0 8use rustc_target::abi::VariantIdx;
cc61c64b 9
dfeec247 10use rustc_index::vec::{Idx, IndexVec};
cc61c64b 11
ba9703b0 12use rustc_span::Span;
83c7162d 13use rustc_target::spec::abi::Abi;
cc61c64b 14
cc61c64b
XL
15use std::fmt;
16use std::iter;
cc61c64b 17
c295e0f8
XL
18use crate::util::expand_aggregate;
19use crate::{
a2a8927a
XL
20 abort_unwinding_calls, add_call_guards, add_moves_for_packed_drops, marker, pass_manager as pm,
21 remove_noop_landing_pads, simplify,
9fa01778 22};
c295e0f8
XL
23use rustc_middle::mir::patch::MirPatch;
24use rustc_mir_dataflow::elaborate_drops::{self, DropElaborator, DropFlagMode, DropStyle};
9fa01778 25
f035d41b 26pub fn provide(providers: &mut Providers) {
cc61c64b
XL
27 providers.mir_shims = make_shim;
28}
29
f9f354fc 30fn make_shim<'tcx>(tcx: TyCtxt<'tcx>, instance: ty::InstanceDef<'tcx>) -> Body<'tcx> {
cc61c64b 31 debug!("make_shim({:?})", instance);
cc61c64b
XL
32
33 let mut result = match instance {
dfeec247 34 ty::InstanceDef::Item(..) => bug!("item {:?} passed to make_shim", instance),
f035d41b 35 ty::InstanceDef::VtableShim(def_id) => {
1b1a35ee 36 build_call_shim(tcx, instance, Some(Adjustment::Deref), CallKind::Direct(def_id))
f035d41b 37 }
cc61c64b
XL
38 ty::InstanceDef::FnPtrShim(def_id, ty) => {
39 let trait_ = tcx.trait_of_item(def_id).unwrap();
74b04a01 40 let adjustment = match tcx.fn_trait_kind_from_lang_item(trait_) {
cc61c64b 41 Some(ty::ClosureKind::FnOnce) => Adjustment::Identity,
ba9703b0 42 Some(ty::ClosureKind::FnMut | ty::ClosureKind::Fn) => Adjustment::Deref,
dfeec247 43 None => bug!("fn pointer {:?} is not an fn", ty),
cc61c64b 44 };
1b1a35ee
XL
45
46 build_call_shim(tcx, instance, Some(adjustment), CallKind::Indirect(ty))
cc61c64b 47 }
e74abb32 48 // We are generating a call back to our def-id, which the
60c5eb7d
XL
49 // codegen backend knows to turn to an actual call, be it
50 // a virtual call, or a direct call to a function for which
51 // indirect calls must be codegen'd differently than direct ones
52 // (such as `#[track_caller]`).
e74abb32 53 ty::InstanceDef::ReifyShim(def_id) => {
1b1a35ee 54 build_call_shim(tcx, instance, None, CallKind::Direct(def_id))
cc61c64b 55 }
c295e0f8 56 ty::InstanceDef::ClosureOnceShim { call_once: _, track_caller: _ } => {
3dfed10e 57 let fn_mut = tcx.require_lang_item(LangItem::FnMut, None);
e74abb32 58 let call_mut = tcx
cc61c64b 59 .associated_items(fn_mut)
74b04a01 60 .in_definition_order()
ba9703b0 61 .find(|it| it.kind == ty::AssocKind::Fn)
dfeec247
XL
62 .unwrap()
63 .def_id;
cc61c64b 64
1b1a35ee 65 build_call_shim(tcx, instance, Some(Adjustment::RefMut), CallKind::Direct(call_mut))
cc61c64b 66 }
a2a8927a
XL
67
68 ty::InstanceDef::DropGlue(def_id, ty) => {
69 // FIXME(#91576): Drop shims for generators aren't subject to the MIR passes at the end
70 // of this function. Is this intentional?
5099ac24 71 if let Some(ty::Generator(gen_def_id, substs, _)) = ty.map(Ty::kind) {
a2a8927a
XL
72 let body = tcx.optimized_mir(*gen_def_id).generator_drop().unwrap();
73 let body = body.clone().subst(tcx, substs);
74 debug!("make_shim({:?}) = {:?}", instance, body);
75 return body;
76 }
77
78 build_drop_shim(tcx, def_id, ty)
79 }
3dfed10e 80 ty::InstanceDef::CloneShim(def_id, ty) => build_clone_shim(tcx, def_id, ty),
60c5eb7d
XL
81 ty::InstanceDef::Virtual(..) => {
82 bug!("InstanceDef::Virtual ({:?}) is for direct calls only", instance)
83 }
cc61c64b
XL
84 ty::InstanceDef::Intrinsic(_) => {
85 bug!("creating shims from intrinsics ({:?}) is unsupported", instance)
86 }
87 };
3b2f2976 88 debug!("make_shim({:?}) = untransformed {:?}", instance, result);
9fa01778 89
a2a8927a 90 pm::run_passes(
dfeec247
XL
91 tcx,
92 &mut result,
a2a8927a 93 &[
dfeec247 94 &add_moves_for_packed_drops::AddMovesForPackedDrops,
dfeec247
XL
95 &remove_noop_landing_pads::RemoveNoopLandingPads,
96 &simplify::SimplifyCfg::new("make_shim"),
97 &add_call_guards::CriticalCallEdges,
94222f64 98 &abort_unwinding_calls::AbortUnwindingCalls,
a2a8927a
XL
99 &marker::PhaseChange(MirPhase::Const),
100 ],
dfeec247 101 );
9fa01778 102
cc61c64b
XL
103 debug!("make_shim({:?}) = {:?}", instance, result);
104
f9f354fc 105 result
cc61c64b
XL
106}
107
108#[derive(Copy, Clone, Debug, PartialEq)]
109enum Adjustment {
f035d41b 110 /// Pass the receiver as-is.
cc61c64b 111 Identity,
f035d41b
XL
112
113 /// We get passed `&[mut] self` and call the target with `*self`.
114 ///
115 /// This either copies `self` (if `Self: Copy`, eg. for function items), or moves out of it
116 /// (for `VtableShim`, which effectively is passed `&own Self`).
cc61c64b 117 Deref,
f035d41b
XL
118
119 /// We get passed `self: Self` and call the target with `&mut self`.
120 ///
121 /// In this case we need to ensure that the `Self` is dropped after the call, as the callee
122 /// won't do it for us.
cc61c64b
XL
123 RefMut,
124}
125
126#[derive(Copy, Clone, Debug, PartialEq)]
f035d41b
XL
127enum CallKind<'tcx> {
128 /// Call the `FnPtr` that was passed as the receiver.
129 Indirect(Ty<'tcx>),
130
131 /// Call a known `FnDef`.
cc61c64b
XL
132 Direct(DefId),
133}
134
dfeec247
XL
135fn local_decls_for_sig<'tcx>(
136 sig: &ty::FnSig<'tcx>,
137 span: Span,
138) -> IndexVec<Local, LocalDecl<'tcx>> {
f9f354fc 139 iter::once(LocalDecl::new(sig.output(), span))
5099ac24 140 .chain(sig.inputs().iter().map(|ity| LocalDecl::new(*ity, span).immutable()))
cc61c64b
XL
141 .collect()
142}
143
f9f354fc 144fn build_drop_shim<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, ty: Option<Ty<'tcx>>) -> Body<'tcx> {
cc61c64b
XL
145 debug!("build_drop_shim(def_id={:?}, ty={:?})", def_id, ty);
146
a2a8927a 147 assert!(!matches!(ty, Some(ty) if ty.is_generator()));
ea8adc8c 148
cc61c64b 149 let substs = if let Some(ty) = ty {
94b46f34 150 tcx.intern_substs(&[ty.into()])
cc61c64b 151 } else {
532ac7d7 152 InternalSubsts::identity_for_item(tcx, def_id)
cc61c64b 153 };
041b39d2 154 let sig = tcx.fn_sig(def_id).subst(tcx, substs);
fc512014 155 let sig = tcx.erase_late_bound_regions(sig);
cc61c64b
XL
156 let span = tcx.def_span(def_id);
157
f9f354fc 158 let source_info = SourceInfo::outermost(span);
cc61c64b
XL
159
160 let return_block = BasicBlock::new(1);
a1dfa0c6 161 let mut blocks = IndexVec::with_capacity(2);
cc61c64b
XL
162 let block = |blocks: &mut IndexVec<_, _>, kind| {
163 blocks.push(BasicBlockData {
164 statements: vec![],
165 terminator: Some(Terminator { source_info, kind }),
dfeec247 166 is_cleanup: false,
cc61c64b
XL
167 })
168 };
169 block(&mut blocks, TerminatorKind::Goto { target: return_block });
170 block(&mut blocks, TerminatorKind::Return);
171
29967ef6
XL
172 let source = MirSource::from_instance(ty::InstanceDef::DropGlue(def_id, ty));
173 let mut body =
5099ac24 174 new_body(source, blocks, local_decls_for_sig(&sig, span), sig.inputs().len(), span);
cc61c64b 175
5869c6ff 176 if ty.is_some() {
a1dfa0c6 177 // The first argument (index 0), but add 1 for the return value.
dfeec247 178 let dropee_ptr = Place::from(Local::new(1 + 0));
a1dfa0c6 179 if tcx.sess.opts.debugging_opts.mir_emit_retag {
0731742a 180 // Function arguments should be retagged, and we make this one raw.
dfeec247
XL
181 body.basic_blocks_mut()[START_BLOCK].statements.insert(
182 0,
183 Statement {
184 source_info,
94222f64 185 kind: StatementKind::Retag(RetagKind::Raw, Box::new(dropee_ptr)),
dfeec247
XL
186 },
187 );
a1dfa0c6 188 }
cc61c64b 189 let patch = {
3dfed10e 190 let param_env = tcx.param_env_reveal_all_normalized(def_id);
dfeec247
XL
191 let mut elaborator =
192 DropShimElaborator { body: &body, patch: MirPatch::new(&body), tcx, param_env };
e74abb32 193 let dropee = tcx.mk_place_deref(dropee_ptr);
cc61c64b
XL
194 let resume_block = elaborator.patch.resume_block();
195 elaborate_drops::elaborate_drop(
196 &mut elaborator,
197 source_info,
ba9703b0 198 dropee,
cc61c64b
XL
199 (),
200 return_block,
7cac9316 201 elaborate_drops::Unwind::To(resume_block),
dfeec247 202 START_BLOCK,
cc61c64b
XL
203 );
204 elaborator.patch
205 };
dc9dc135 206 patch.apply(&mut body);
cc61c64b
XL
207 }
208
dc9dc135 209 body
cc61c64b
XL
210}
211
60c5eb7d 212fn new_body<'tcx>(
29967ef6 213 source: MirSource<'tcx>,
60c5eb7d
XL
214 basic_blocks: IndexVec<BasicBlock, BasicBlockData<'tcx>>,
215 local_decls: IndexVec<Local, LocalDecl<'tcx>>,
216 arg_count: usize,
217 span: Span,
218) -> Body<'tcx> {
219 Body::new(
29967ef6 220 source,
60c5eb7d
XL
221 basic_blocks,
222 IndexVec::from_elem_n(
29967ef6
XL
223 SourceScopeData {
224 span,
225 parent_scope: None,
226 inlined: None,
227 inlined_parent_scope: None,
228 local_data: ClearCrossCrate::Clear,
229 },
60c5eb7d
XL
230 1,
231 ),
232 local_decls,
233 IndexVec::new(),
234 arg_count,
235 vec![],
236 span,
60c5eb7d 237 None,
5099ac24
FG
238 // FIXME(compiler-errors): is this correct?
239 None,
60c5eb7d
XL
240 )
241}
242
dc9dc135
XL
243pub struct DropShimElaborator<'a, 'tcx> {
244 pub body: &'a Body<'tcx>,
ea8adc8c 245 pub patch: MirPatch<'tcx>,
dc9dc135 246 pub tcx: TyCtxt<'tcx>,
ea8adc8c 247 pub param_env: ty::ParamEnv<'tcx>,
cc61c64b
XL
248}
249
a2a8927a 250impl fmt::Debug for DropShimElaborator<'_, '_> {
9fa01778 251 fn fmt(&self, _f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
cc61c64b
XL
252 Ok(())
253 }
254}
255
256impl<'a, 'tcx> DropElaborator<'a, 'tcx> for DropShimElaborator<'a, 'tcx> {
257 type Path = ();
258
dfeec247
XL
259 fn patch(&mut self) -> &mut MirPatch<'tcx> {
260 &mut self.patch
261 }
262 fn body(&self) -> &'a Body<'tcx> {
263 self.body
264 }
dc9dc135
XL
265 fn tcx(&self) -> TyCtxt<'tcx> {
266 self.tcx
dfeec247
XL
267 }
268 fn param_env(&self) -> ty::ParamEnv<'tcx> {
269 self.param_env
270 }
cc61c64b
XL
271
272 fn drop_style(&self, _path: Self::Path, mode: DropFlagMode) -> DropStyle {
f9f354fc
XL
273 match mode {
274 DropFlagMode::Shallow => {
275 // Drops for the contained fields are "shallow" and "static" - they will simply call
276 // the field's own drop glue.
277 DropStyle::Static
278 }
279 DropFlagMode::Deep => {
280 // The top-level drop is "deep" and "open" - it will be elaborated to a drop ladder
281 // dropping each field contained in the value.
282 DropStyle::Open
283 }
284 }
cc61c64b
XL
285 }
286
287 fn get_drop_flag(&mut self, _path: Self::Path) -> Option<Operand<'tcx>> {
288 None
289 }
290
dfeec247 291 fn clear_drop_flag(&mut self, _location: Location, _path: Self::Path, _mode: DropFlagMode) {}
cc61c64b
XL
292
293 fn field_subpath(&self, _path: Self::Path, _field: Field) -> Option<Self::Path> {
294 None
295 }
296 fn deref_subpath(&self, _path: Self::Path) -> Option<Self::Path> {
297 None
298 }
a1dfa0c6 299 fn downcast_subpath(&self, _path: Self::Path, _variant: VariantIdx) -> Option<Self::Path> {
cc61c64b
XL
300 Some(())
301 }
1b1a35ee 302 fn array_subpath(&self, _path: Self::Path, _index: u64, _size: u64) -> Option<Self::Path> {
ff7c6d11
XL
303 None
304 }
cc61c64b
XL
305}
306
9fa01778 307/// Builds a `Clone::clone` shim for `self_ty`. Here, `def_id` is `Clone::clone`.
f9f354fc 308fn build_clone_shim<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, self_ty: Ty<'tcx>) -> Body<'tcx> {
3b2f2976
XL
309 debug!("build_clone_shim(def_id={:?})", def_id);
310
416331ca
XL
311 let param_env = tcx.param_env(def_id);
312
2c00a5a8 313 let mut builder = CloneShimBuilder::new(tcx, def_id, self_ty);
f035d41b 314 let is_copy = self_ty.is_copy_modulo_regions(tcx.at(builder.span), param_env);
3b2f2976 315
e1599b0c 316 let dest = Place::return_place();
dfeec247 317 let src = tcx.mk_place_deref(Place::from(Local::new(1 + 0)));
2c00a5a8 318
1b1a35ee 319 match self_ty.kind() {
3b2f2976 320 _ if is_copy => builder.copy_shim(),
ba9703b0
XL
321 ty::Closure(_, substs) => {
322 builder.tuple_like_shim(dest, src, substs.as_closure().upvar_tys())
ea8adc8c 323 }
416331ca 324 ty::Tuple(..) => builder.tuple_like_shim(dest, src, self_ty.tuple_fields()),
dfeec247 325 _ => bug!("clone shim for `{:?}` which is not `Copy` and is not an aggregate", self_ty),
3b2f2976
XL
326 };
327
f9f354fc 328 builder.into_mir()
3b2f2976
XL
329}
330
dc9dc135
XL
331struct CloneShimBuilder<'tcx> {
332 tcx: TyCtxt<'tcx>,
3b2f2976
XL
333 def_id: DefId,
334 local_decls: IndexVec<Local, LocalDecl<'tcx>>,
335 blocks: IndexVec<BasicBlock, BasicBlockData<'tcx>>,
336 span: Span,
337 sig: ty::FnSig<'tcx>,
338}
339
a2a8927a 340impl<'tcx> CloneShimBuilder<'tcx> {
dc9dc135 341 fn new(tcx: TyCtxt<'tcx>, def_id: DefId, self_ty: Ty<'tcx>) -> Self {
2c00a5a8
XL
342 // we must subst the self_ty because it's
343 // otherwise going to be TySelf and we can't index
344 // or access fields of a Place of type TySelf.
345 let substs = tcx.mk_substs_trait(self_ty, &[]);
346 let sig = tcx.fn_sig(def_id).subst(tcx, substs);
fc512014 347 let sig = tcx.erase_late_bound_regions(sig);
3b2f2976
XL
348 let span = tcx.def_span(def_id);
349
350 CloneShimBuilder {
351 tcx,
352 def_id,
353 local_decls: local_decls_for_sig(&sig, span),
354 blocks: IndexVec::new(),
355 span,
356 sig,
357 }
358 }
359
dc9dc135 360 fn into_mir(self) -> Body<'tcx> {
29967ef6
XL
361 let source = MirSource::from_instance(ty::InstanceDef::CloneShim(
362 self.def_id,
363 self.sig.inputs_and_output[0],
364 ));
5099ac24 365 new_body(source, self.blocks, self.local_decls, self.sig.inputs().len(), self.span)
3b2f2976
XL
366 }
367
368 fn source_info(&self) -> SourceInfo {
f9f354fc 369 SourceInfo::outermost(self.span)
3b2f2976
XL
370 }
371
372 fn block(
373 &mut self,
374 statements: Vec<Statement<'tcx>>,
375 kind: TerminatorKind<'tcx>,
dfeec247 376 is_cleanup: bool,
3b2f2976
XL
377 ) -> BasicBlock {
378 let source_info = self.source_info();
379 self.blocks.push(BasicBlockData {
380 statements,
381 terminator: Some(Terminator { source_info, kind }),
382 is_cleanup,
383 })
384 }
385
2c00a5a8
XL
386 /// Gives the index of an upcoming BasicBlock, with an offset.
387 /// offset=0 will give you the index of the next BasicBlock,
388 /// offset=1 will give the index of the next-to-next block,
389 /// offset=-1 will give you the index of the last-created block
390 fn block_index_offset(&mut self, offset: usize) -> BasicBlock {
391 BasicBlock::new(self.blocks.len() + offset)
392 }
393
3b2f2976 394 fn make_statement(&self, kind: StatementKind<'tcx>) -> Statement<'tcx> {
dfeec247 395 Statement { source_info: self.source_info(), kind }
3b2f2976
XL
396 }
397
398 fn copy_shim(&mut self) {
dfeec247 399 let rcvr = self.tcx.mk_place_deref(Place::from(Local::new(1 + 0)));
94222f64 400 let ret_statement = self.make_statement(StatementKind::Assign(Box::new((
dfeec247
XL
401 Place::return_place(),
402 Rvalue::Use(Operand::Copy(rcvr)),
94222f64 403 ))));
3b2f2976
XL
404 self.block(vec![ret_statement], TerminatorKind::Return, false);
405 }
406
ff7c6d11 407 fn make_place(&mut self, mutability: Mutability, ty: Ty<'tcx>) -> Place<'tcx> {
3b2f2976 408 let span = self.span;
f9f354fc
XL
409 let mut local = LocalDecl::new(ty, span);
410 if mutability == Mutability::Not {
411 local = local.immutable();
412 }
413 Place::from(self.local_decls.push(local))
3b2f2976
XL
414 }
415
416 fn make_clone_call(
417 &mut self,
2c00a5a8
XL
418 dest: Place<'tcx>,
419 src: Place<'tcx>,
ea8adc8c 420 ty: Ty<'tcx>,
3b2f2976 421 next: BasicBlock,
dfeec247 422 cleanup: BasicBlock,
2c00a5a8 423 ) {
3b2f2976
XL
424 let tcx = self.tcx;
425
532ac7d7 426 let substs = tcx.mk_substs_trait(ty, &[]);
3b2f2976
XL
427
428 // `func == Clone::clone(&ty) -> ty`
ea8adc8c 429 let func_ty = tcx.mk_fn_def(self.def_id, substs);
94222f64 430 let func = Operand::Constant(Box::new(Constant {
3b2f2976 431 span: self.span,
b7449926 432 user_ty: None,
6a06907d 433 literal: ty::Const::zero_sized(tcx, func_ty).into(),
94222f64 434 }));
3b2f2976 435
ff7c6d11 436 let ref_loc = self.make_place(
3b2f2976 437 Mutability::Not,
dfeec247 438 tcx.mk_ref(tcx.lifetimes.re_erased, ty::TypeAndMut { ty, mutbl: hir::Mutability::Not }),
3b2f2976
XL
439 );
440
2c00a5a8 441 // `let ref_loc: &ty = &src;`
94222f64 442 let statement = self.make_statement(StatementKind::Assign(Box::new((
dfeec247
XL
443 ref_loc,
444 Rvalue::Ref(tcx.lifetimes.re_erased, BorrowKind::Shared, src),
94222f64 445 ))));
3b2f2976
XL
446
447 // `let loc = Clone::clone(ref_loc);`
dfeec247
XL
448 self.block(
449 vec![statement],
450 TerminatorKind::Call {
451 func,
452 args: vec![Operand::Move(ref_loc)],
453 destination: Some((dest, next)),
454 cleanup: Some(cleanup),
455 from_hir_call: true,
f035d41b 456 fn_span: self.span,
dfeec247
XL
457 },
458 false,
459 );
3b2f2976
XL
460 }
461
dfeec247
XL
462 fn tuple_like_shim<I>(&mut self, dest: Place<'tcx>, src: Place<'tcx>, tys: I)
463 where
464 I: Iterator<Item = Ty<'tcx>>,
465 {
2c00a5a8
XL
466 let mut previous_field = None;
467 for (i, ity) in tys.enumerate() {
468 let field = Field::new(i);
ba9703b0 469 let src_field = self.tcx.mk_place_field(src, field, ity);
ea8adc8c 470
ba9703b0 471 let dest_field = self.tcx.mk_place_field(dest, field, ity);
3b2f2976 472
2c00a5a8
XL
473 // #(2i + 1) is the cleanup block for the previous clone operation
474 let cleanup_block = self.block_index_offset(1);
475 // #(2i + 2) is the next cloning block
476 // (or the Return terminator if this is the last block)
477 let next_block = self.block_index_offset(2);
3b2f2976
XL
478
479 // BB #(2i)
2c00a5a8 480 // `dest.i = Clone::clone(&src.i);`
3b2f2976 481 // Goto #(2i + 2) if ok, #(2i + 1) if unwinding happens.
ba9703b0 482 self.make_clone_call(dest_field, src_field, ity, next_block, cleanup_block);
3b2f2976
XL
483
484 // BB #(2i + 1) (cleanup)
2c00a5a8 485 if let Some((previous_field, previous_cleanup)) = previous_field.take() {
3b2f2976 486 // Drop previous field and goto previous cleanup block.
dfeec247
XL
487 self.block(
488 vec![],
489 TerminatorKind::Drop {
f035d41b 490 place: previous_field,
dfeec247
XL
491 target: previous_cleanup,
492 unwind: None,
493 },
494 true,
495 );
2c00a5a8
XL
496 } else {
497 // Nothing to drop, just resume.
498 self.block(vec![], TerminatorKind::Resume, true);
3b2f2976 499 }
2c00a5a8
XL
500
501 previous_field = Some((dest_field, cleanup_block));
3b2f2976
XL
502 }
503
2c00a5a8 504 self.block(vec![], TerminatorKind::Return, false);
3b2f2976
XL
505 }
506}
507
1b1a35ee
XL
508/// Builds a "call" shim for `instance`. The shim calls the function specified by `call_kind`,
509/// first adjusting its first argument according to `rcvr_adjustment`.
dc9dc135
XL
510fn build_call_shim<'tcx>(
511 tcx: TyCtxt<'tcx>,
60c5eb7d 512 instance: ty::InstanceDef<'tcx>,
dfeec247 513 rcvr_adjustment: Option<Adjustment>,
f035d41b 514 call_kind: CallKind<'tcx>,
f9f354fc 515) -> Body<'tcx> {
dfeec247 516 debug!(
1b1a35ee
XL
517 "build_call_shim(instance={:?}, rcvr_adjustment={:?}, call_kind={:?})",
518 instance, rcvr_adjustment, call_kind
dfeec247 519 );
cc61c64b 520
1b1a35ee
XL
521 // `FnPtrShim` contains the fn pointer type that a call shim is being built for - this is used
522 // to substitute into the signature of the shim. It is not necessary for users of this
523 // MIR body to perform further substitutions (see `InstanceDef::has_polymorphic_mir_body`).
524 let (sig_substs, untuple_args) = if let ty::InstanceDef::FnPtrShim(_, ty) = instance {
fc512014 525 let sig = tcx.erase_late_bound_regions(ty.fn_sig(tcx));
1b1a35ee
XL
526
527 let untuple_args = sig.inputs();
528
529 // Create substitutions for the `Self` and `Args` generic parameters of the shim body.
530 let arg_tup = tcx.mk_tup(untuple_args.iter());
531 let sig_substs = tcx.mk_substs_trait(ty, &[ty::subst::GenericArg::from(arg_tup)]);
532
533 (Some(sig_substs), Some(untuple_args))
534 } else {
535 (None, None)
536 };
537
60c5eb7d 538 let def_id = instance.def_id();
041b39d2 539 let sig = tcx.fn_sig(def_id);
fc512014 540 let mut sig = tcx.erase_late_bound_regions(sig);
60c5eb7d 541
1b1a35ee
XL
542 assert_eq!(sig_substs.is_some(), !instance.has_polymorphic_mir_body());
543 if let Some(sig_substs) = sig_substs {
544 sig = sig.subst(tcx, sig_substs);
545 }
546
f035d41b
XL
547 if let CallKind::Indirect(fnty) = call_kind {
548 // `sig` determines our local decls, and thus the callee type in the `Call` terminator. This
549 // can only be an `FnDef` or `FnPtr`, but currently will be `Self` since the types come from
550 // the implemented `FnX` trait.
551
552 // Apply the opposite adjustment to the MIR input.
553 let mut inputs_and_output = sig.inputs_and_output.to_vec();
554
555 // Initial signature is `fn(&? Self, Args) -> Self::Output` where `Args` is a tuple of the
556 // fn arguments. `Self` may be passed via (im)mutable reference or by-value.
557 assert_eq!(inputs_and_output.len(), 3);
558
559 // `Self` is always the original fn type `ty`. The MIR call terminator is only defined for
560 // `FnDef` and `FnPtr` callees, not the `Self` type param.
561 let self_arg = &mut inputs_and_output[0];
562 *self_arg = match rcvr_adjustment.unwrap() {
563 Adjustment::Identity => fnty,
564 Adjustment::Deref => tcx.mk_imm_ptr(fnty),
565 Adjustment::RefMut => tcx.mk_mut_ptr(fnty),
566 };
567 sig.inputs_and_output = tcx.intern_type_list(&inputs_and_output);
568 }
569
60c5eb7d
XL
570 // FIXME(eddyb) avoid having this snippet both here and in
571 // `Instance::fn_sig` (introduce `InstanceDef::fn_sig`?).
572 if let ty::InstanceDef::VtableShim(..) = instance {
573 // Modify fn(self, ...) to fn(self: *mut Self, ...)
574 let mut inputs_and_output = sig.inputs_and_output.to_vec();
575 let self_arg = &mut inputs_and_output[0];
576 debug_assert!(tcx.generics_of(def_id).has_self && *self_arg == tcx.types.self_param);
577 *self_arg = tcx.mk_mut_ptr(*self_arg);
578 sig.inputs_and_output = tcx.intern_type_list(&inputs_and_output);
579 }
580
cc61c64b
XL
581 let span = tcx.def_span(def_id);
582
583 debug!("build_call_shim: sig={:?}", sig);
584
585 let mut local_decls = local_decls_for_sig(&sig, span);
f9f354fc 586 let source_info = SourceInfo::outermost(span);
cc61c64b 587
dfeec247
XL
588 let rcvr_place = || {
589 assert!(rcvr_adjustment.is_some());
590 Place::from(Local::new(1 + 0))
591 };
cc61c64b
XL
592 let mut statements = vec![];
593
dfeec247
XL
594 let rcvr = rcvr_adjustment.map(|rcvr_adjustment| match rcvr_adjustment {
595 Adjustment::Identity => Operand::Move(rcvr_place()),
f035d41b 596 Adjustment::Deref => Operand::Move(tcx.mk_place_deref(rcvr_place())),
cc61c64b
XL
597 Adjustment::RefMut => {
598 // let rcvr = &mut rcvr;
f9f354fc
XL
599 let ref_rcvr = local_decls.push(
600 LocalDecl::new(
601 tcx.mk_ref(
602 tcx.lifetimes.re_erased,
603 ty::TypeAndMut { ty: sig.inputs()[0], mutbl: hir::Mutability::Mut },
604 ),
605 span,
606 )
607 .immutable(),
608 );
dfeec247 609 let borrow_kind = BorrowKind::Mut { allow_two_phase_borrow: false };
cc61c64b 610 statements.push(Statement {
3b2f2976 611 source_info,
94222f64 612 kind: StatementKind::Assign(Box::new((
dfeec247
XL
613 Place::from(ref_rcvr),
614 Rvalue::Ref(tcx.lifetimes.re_erased, borrow_kind, rcvr_place()),
94222f64 615 ))),
cc61c64b 616 });
dc9dc135 617 Operand::Move(Place::from(ref_rcvr))
cc61c64b 618 }
dfeec247 619 });
cc61c64b
XL
620
621 let (callee, mut args) = match call_kind {
f035d41b
XL
622 // `FnPtr` call has no receiver. Args are untupled below.
623 CallKind::Indirect(_) => (rcvr.unwrap(), vec![]),
624
625 // `FnDef` call with optional receiver.
ea8adc8c
XL
626 CallKind::Direct(def_id) => {
627 let ty = tcx.type_of(def_id);
dfeec247 628 (
94222f64 629 Operand::Constant(Box::new(Constant {
dfeec247
XL
630 span,
631 user_ty: None,
6a06907d 632 literal: ty::Const::zero_sized(tcx, ty).into(),
94222f64 633 })),
dfeec247
XL
634 rcvr.into_iter().collect::<Vec<_>>(),
635 )
ea8adc8c 636 }
cc61c64b
XL
637 };
638
dfeec247
XL
639 let mut arg_range = 0..sig.inputs().len();
640
641 // Take the `self` ("receiver") argument out of the range (it's adjusted above).
642 if rcvr_adjustment.is_some() {
643 arg_range.start += 1;
644 }
645
646 // Take the last argument, if we need to untuple it (handled below).
647 if untuple_args.is_some() {
648 arg_range.end -= 1;
649 }
650
651 // Pass all of the non-special arguments directly.
652 args.extend(arg_range.map(|i| Operand::Move(Place::from(Local::new(1 + i)))));
653
654 // Untuple the last argument, if we have to.
cc61c64b 655 if let Some(untuple_args) = untuple_args {
dfeec247 656 let tuple_arg = Local::new(1 + (sig.inputs().len() - 1));
cc61c64b 657 args.extend(untuple_args.iter().enumerate().map(|(i, ity)| {
dfeec247 658 Operand::Move(tcx.mk_place_field(Place::from(tuple_arg), Field::new(i), *ity))
cc61c64b
XL
659 }));
660 }
661
dfeec247 662 let n_blocks = if let Some(Adjustment::RefMut) = rcvr_adjustment { 5 } else { 2 };
a1dfa0c6 663 let mut blocks = IndexVec::with_capacity(n_blocks);
cc61c64b
XL
664 let block = |blocks: &mut IndexVec<_, _>, statements, kind, is_cleanup| {
665 blocks.push(BasicBlockData {
666 statements,
667 terminator: Some(Terminator { source_info, kind }),
dfeec247 668 is_cleanup,
cc61c64b
XL
669 })
670 };
671
672 // BB #0
dfeec247
XL
673 block(
674 &mut blocks,
675 statements,
676 TerminatorKind::Call {
677 func: callee,
678 args,
679 destination: Some((Place::return_place(), BasicBlock::new(1))),
680 cleanup: if let Some(Adjustment::RefMut) = rcvr_adjustment {
681 Some(BasicBlock::new(3))
682 } else {
683 None
684 },
685 from_hir_call: true,
f035d41b 686 fn_span: span,
0bf4aa26 687 },
dfeec247
XL
688 false,
689 );
cc61c64b 690
dfeec247 691 if let Some(Adjustment::RefMut) = rcvr_adjustment {
cc61c64b 692 // BB #1 - drop for Self
dfeec247
XL
693 block(
694 &mut blocks,
695 vec![],
f035d41b 696 TerminatorKind::Drop { place: rcvr_place(), target: BasicBlock::new(2), unwind: None },
dfeec247
XL
697 false,
698 );
cc61c64b
XL
699 }
700 // BB #1/#2 - return
701 block(&mut blocks, vec![], TerminatorKind::Return, false);
dfeec247 702 if let Some(Adjustment::RefMut) = rcvr_adjustment {
cc61c64b 703 // BB #3 - drop if closure panics
dfeec247
XL
704 block(
705 &mut blocks,
706 vec![],
f035d41b 707 TerminatorKind::Drop { place: rcvr_place(), target: BasicBlock::new(4), unwind: None },
dfeec247
XL
708 true,
709 );
cc61c64b
XL
710
711 // BB #4 - resume
712 block(&mut blocks, vec![], TerminatorKind::Resume, true);
713 }
714
5099ac24
FG
715 let mut body =
716 new_body(MirSource::from_instance(instance), blocks, local_decls, sig.inputs().len(), span);
60c5eb7d 717
cc61c64b 718 if let Abi::RustCall = sig.abi {
dc9dc135 719 body.spread_arg = Some(Local::new(sig.inputs().len()));
cc61c64b 720 }
f9f354fc
XL
721
722 body
cc61c64b
XL
723}
724
f9f354fc 725pub fn build_adt_ctor(tcx: TyCtxt<'_>, ctor_id: DefId) -> Body<'_> {
dc9dc135
XL
726 debug_assert!(tcx.is_constructor(ctor_id));
727
dfeec247
XL
728 let span =
729 tcx.hir().span_if_local(ctor_id).unwrap_or_else(|| bug!("no span for ctor {:?}", ctor_id));
dc9dc135
XL
730
731 let param_env = tcx.param_env(ctor_id);
ff7c6d11 732
0531ce1d 733 // Normalize the sig.
dfeec247 734 let sig = tcx.fn_sig(ctor_id).no_bound_vars().expect("LBR in ADT constructor signature");
dc9dc135 735 let sig = tcx.normalize_erasing_regions(param_env, sig);
cc61c64b 736
1b1a35ee 737 let (adt_def, substs) = match sig.output().kind() {
b7449926 738 ty::Adt(adt_def, substs) => (adt_def, substs),
dfeec247 739 _ => bug!("unexpected type for ADT ctor {:?}", sig.output()),
cc61c64b
XL
740 };
741
dc9dc135 742 debug!("build_ctor: ctor_id={:?} sig={:?}", ctor_id, sig);
cc61c64b
XL
743
744 let local_decls = local_decls_for_sig(&sig, span);
745
f9f354fc 746 let source_info = SourceInfo::outermost(span);
cc61c64b 747
dc9dc135
XL
748 let variant_index = if adt_def.is_enum() {
749 adt_def.variant_index_with_ctor_id(ctor_id)
cc61c64b 750 } else {
a1dfa0c6 751 VariantIdx::new(0)
cc61c64b
XL
752 };
753
dc9dc135
XL
754 // Generate the following MIR:
755 //
756 // (return as Variant).field0 = arg0;
757 // (return as Variant).field1 = arg1;
758 //
759 // return;
760 debug!("build_ctor: variant_index={:?}", variant_index);
761
762 let statements = expand_aggregate(
e1599b0c 763 Place::return_place(),
dfeec247
XL
764 adt_def.variants[variant_index].fields.iter().enumerate().map(|(idx, field_def)| {
765 (Operand::Move(Place::from(Local::new(idx + 1))), field_def.ty(tcx, substs))
766 }),
a2a8927a 767 AggregateKind::Adt(adt_def.did, variant_index, substs, None, None),
dc9dc135 768 source_info,
e74abb32 769 tcx,
dfeec247
XL
770 )
771 .collect();
dc9dc135 772
cc61c64b 773 let start_block = BasicBlockData {
dc9dc135 774 statements,
dfeec247
XL
775 terminator: Some(Terminator { source_info, kind: TerminatorKind::Return }),
776 is_cleanup: false,
cc61c64b
XL
777 };
778
29967ef6
XL
779 let source = MirSource::item(ctor_id);
780 let body = new_body(
781 source,
782 IndexVec::from_elem_n(start_block, 1),
783 local_decls,
784 sig.inputs().len(),
785 span,
dc9dc135
XL
786 );
787
c295e0f8 788 rustc_middle::mir::dump_mir(tcx, None, "mir_map", &0, &body, |_, _| Ok(()));
29967ef6 789
f9f354fc 790 body
cc61c64b 791}