]> git.lizzy.rs Git - rust.git/blob - src/librustc_mir/transform/type_check.rs
rustc: Remove some dead code
[rust.git] / src / librustc_mir / transform / type_check.rs
1 // Copyright 2016 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! This pass type-checks the MIR to ensure it is not broken.
12 #![allow(unreachable_code)]
13
14 use rustc::infer::{self, InferCtxt, InferOk};
15 use rustc::traits;
16 use rustc::ty::fold::TypeFoldable;
17 use rustc::ty::{self, Ty, TyCtxt, TypeVariants};
18 use rustc::middle::const_val::ConstVal;
19 use rustc::mir::*;
20 use rustc::mir::tcx::LvalueTy;
21 use rustc::mir::transform::{MirPass, MirSource};
22 use rustc::mir::visit::Visitor;
23 use std::fmt;
24 use syntax::ast;
25 use syntax_pos::{Span, DUMMY_SP};
26
27 use rustc_data_structures::fx::FxHashSet;
28 use rustc_data_structures::indexed_vec::Idx;
29
30 fn mirbug(tcx: TyCtxt, span: Span, msg: &str) {
31     tcx.sess.diagnostic().span_bug(span, msg);
32 }
33
34 macro_rules! span_mirbug {
35     ($context:expr, $elem:expr, $($message:tt)*) => ({
36         mirbug($context.tcx(), $context.last_span,
37                &format!("broken MIR ({:?}): {}", $elem, format!($($message)*)))
38     })
39 }
40
41 macro_rules! span_mirbug_and_err {
42     ($context:expr, $elem:expr, $($message:tt)*) => ({
43         {
44             span_mirbug!($context, $elem, $($message)*);
45             $context.error()
46         }
47     })
48 }
49
50 enum FieldAccessError {
51     OutOfRange { field_count: usize }
52 }
53
54 /// Verifies that MIR types are sane to not crash further checks.
55 ///
56 /// The sanitize_XYZ methods here take an MIR object and compute its
57 /// type, calling `span_mirbug` and returning an error type if there
58 /// is a problem.
59 struct TypeVerifier<'a, 'b: 'a, 'gcx: 'b+'tcx, 'tcx: 'b> {
60     cx: &'a mut TypeChecker<'b, 'gcx, 'tcx>,
61     mir: &'a Mir<'tcx>,
62     last_span: Span,
63     errors_reported: bool
64 }
65
66 impl<'a, 'b, 'gcx, 'tcx> Visitor<'tcx> for TypeVerifier<'a, 'b, 'gcx, 'tcx> {
67     fn visit_span(&mut self, span: &Span) {
68         if *span != DUMMY_SP {
69             self.last_span = *span;
70         }
71     }
72
73     fn visit_lvalue(&mut self,
74                     lvalue: &Lvalue<'tcx>,
75                     _context: visit::LvalueContext,
76                     location: Location) {
77         self.sanitize_lvalue(lvalue, location);
78     }
79
80     fn visit_constant(&mut self, constant: &Constant<'tcx>, location: Location) {
81         self.super_constant(constant, location);
82         self.sanitize_type(constant, constant.ty);
83     }
84
85     fn visit_rvalue(&mut self, rvalue: &Rvalue<'tcx>, location: Location) {
86         self.super_rvalue(rvalue, location);
87         let rval_ty = rvalue.ty(self.mir, self.tcx());
88         self.sanitize_type(rvalue, rval_ty);
89     }
90
91     fn visit_local_decl(&mut self, local_decl: &LocalDecl<'tcx>) {
92         self.super_local_decl(local_decl);
93         self.sanitize_type(local_decl, local_decl.ty);
94     }
95
96     fn visit_mir(&mut self, mir: &Mir<'tcx>) {
97         self.sanitize_type(&"return type", mir.return_ty);
98         for local_decl in &mir.local_decls {
99             self.sanitize_type(local_decl, local_decl.ty);
100         }
101         if self.errors_reported {
102             return;
103         }
104         self.super_mir(mir);
105     }
106 }
107
108 impl<'a, 'b, 'gcx, 'tcx> TypeVerifier<'a, 'b, 'gcx, 'tcx> {
109     fn new(cx: &'a mut TypeChecker<'b, 'gcx, 'tcx>, mir: &'a Mir<'tcx>) -> Self {
110         TypeVerifier {
111             cx,
112             mir,
113             last_span: mir.span,
114             errors_reported: false
115         }
116     }
117
118     fn tcx(&self) -> TyCtxt<'a, 'gcx, 'tcx> {
119         self.cx.infcx.tcx
120     }
121
122     fn sanitize_type(&mut self, parent: &fmt::Debug, ty: Ty<'tcx>) -> Ty<'tcx> {
123         if ty.needs_infer() || ty.has_escaping_regions() || ty.references_error() {
124             span_mirbug_and_err!(self, parent, "bad type {:?}", ty)
125         } else {
126             ty
127         }
128     }
129
130     fn sanitize_lvalue(&mut self, lvalue: &Lvalue<'tcx>, location: Location) -> LvalueTy<'tcx> {
131         debug!("sanitize_lvalue: {:?}", lvalue);
132         match *lvalue {
133             Lvalue::Local(index) => LvalueTy::Ty { ty: self.mir.local_decls[index].ty },
134             Lvalue::Static(box Static { def_id, ty: sty }) => {
135                 let sty = self.sanitize_type(lvalue, sty);
136                 let ty = self.tcx().type_of(def_id);
137                 let ty = self.cx.normalize(&ty);
138                 if let Err(terr) = self.cx.eq_types(self.last_span, ty, sty) {
139                     span_mirbug!(
140                         self, lvalue, "bad static type ({:?}: {:?}): {:?}",
141                         ty, sty, terr);
142                 }
143                 LvalueTy::Ty { ty: sty }
144
145             },
146             Lvalue::Projection(ref proj) => {
147                 let base_ty = self.sanitize_lvalue(&proj.base, location);
148                 if let LvalueTy::Ty { ty } = base_ty {
149                     if ty.references_error() {
150                         assert!(self.errors_reported);
151                         return LvalueTy::Ty { ty: self.tcx().types.err };
152                     }
153                 }
154                 self.sanitize_projection(base_ty, &proj.elem, lvalue, location)
155             }
156         }
157     }
158
159     fn sanitize_projection(&mut self,
160                            base: LvalueTy<'tcx>,
161                            pi: &LvalueElem<'tcx>,
162                            lvalue: &Lvalue<'tcx>,
163                            location: Location)
164                            -> LvalueTy<'tcx> {
165         debug!("sanitize_projection: {:?} {:?} {:?}", base, pi, lvalue);
166         let tcx = self.tcx();
167         let base_ty = base.to_ty(tcx);
168         let span = self.last_span;
169         match *pi {
170             ProjectionElem::Deref => {
171                 let deref_ty = base_ty.builtin_deref(true, ty::LvaluePreference::NoPreference);
172                 LvalueTy::Ty {
173                     ty: deref_ty.map(|t| t.ty).unwrap_or_else(|| {
174                         span_mirbug_and_err!(
175                             self, lvalue, "deref of non-pointer {:?}", base_ty)
176                     })
177                 }
178             }
179             ProjectionElem::Index(ref i) => {
180                 self.visit_operand(i, location);
181                 let index_ty = i.ty(self.mir, tcx);
182                 if index_ty != tcx.types.usize {
183                     LvalueTy::Ty {
184                         ty: span_mirbug_and_err!(self, i, "index by non-usize {:?}", i)
185                     }
186                 } else {
187                     LvalueTy::Ty {
188                         ty: base_ty.builtin_index().unwrap_or_else(|| {
189                             span_mirbug_and_err!(
190                                 self, lvalue, "index of non-array {:?}", base_ty)
191                         })
192                     }
193                 }
194             }
195             ProjectionElem::ConstantIndex { .. } => {
196                 // consider verifying in-bounds
197                 LvalueTy::Ty {
198                     ty: base_ty.builtin_index().unwrap_or_else(|| {
199                         span_mirbug_and_err!(
200                             self, lvalue, "index of non-array {:?}", base_ty)
201                     })
202                 }
203             }
204             ProjectionElem::Subslice { from, to } => {
205                 LvalueTy::Ty {
206                     ty: match base_ty.sty {
207                         ty::TyArray(inner, size) => {
208                             let min_size = (from as usize) + (to as usize);
209                             if let Some(rest_size) = size.checked_sub(min_size) {
210                                 tcx.mk_array(inner, rest_size)
211                             } else {
212                                 span_mirbug_and_err!(
213                                     self, lvalue, "taking too-small slice of {:?}", base_ty)
214                             }
215                         }
216                         ty::TySlice(..) => base_ty,
217                         _ => {
218                             span_mirbug_and_err!(
219                                 self, lvalue, "slice of non-array {:?}", base_ty)
220                         }
221                     }
222                 }
223             }
224             ProjectionElem::Downcast(adt_def1, index) =>
225                 match base_ty.sty {
226                     ty::TyAdt(adt_def, substs) if adt_def.is_enum() && adt_def == adt_def1 => {
227                         if index >= adt_def.variants.len() {
228                             LvalueTy::Ty {
229                                 ty: span_mirbug_and_err!(
230                                     self,
231                                     lvalue,
232                                     "cast to variant #{:?} but enum only has {:?}",
233                                     index,
234                                     adt_def.variants.len())
235                             }
236                         } else {
237                             LvalueTy::Downcast {
238                                 adt_def,
239                                 substs,
240                                 variant_index: index
241                             }
242                         }
243                     }
244                     _ => LvalueTy::Ty {
245                         ty: span_mirbug_and_err!(
246                             self, lvalue, "can't downcast {:?} as {:?}",
247                             base_ty, adt_def1)
248                     }
249                 },
250             ProjectionElem::Field(field, fty) => {
251                 let fty = self.sanitize_type(lvalue, fty);
252                 match self.field_ty(lvalue, base, field) {
253                     Ok(ty) => {
254                         if let Err(terr) = self.cx.eq_types(span, ty, fty) {
255                             span_mirbug!(
256                                 self, lvalue, "bad field access ({:?}: {:?}): {:?}",
257                                 ty, fty, terr);
258                         }
259                     }
260                     Err(FieldAccessError::OutOfRange { field_count }) => {
261                         span_mirbug!(
262                             self, lvalue, "accessed field #{} but variant only has {}",
263                             field.index(), field_count)
264                     }
265                 }
266                 LvalueTy::Ty { ty: fty }
267             }
268         }
269     }
270
271     fn error(&mut self) -> Ty<'tcx> {
272         self.errors_reported = true;
273         self.tcx().types.err
274     }
275
276     fn field_ty(&mut self,
277                 parent: &fmt::Debug,
278                 base_ty: LvalueTy<'tcx>,
279                 field: Field)
280                 -> Result<Ty<'tcx>, FieldAccessError>
281     {
282         let tcx = self.tcx();
283
284         let (variant, substs) = match base_ty {
285             LvalueTy::Downcast { adt_def, substs, variant_index } => {
286                 (&adt_def.variants[variant_index], substs)
287             }
288             LvalueTy::Ty { ty } => match ty.sty {
289                 ty::TyAdt(adt_def, substs) if adt_def.is_univariant() => {
290                         (&adt_def.variants[0], substs)
291                     }
292                 ty::TyClosure(def_id, substs) => {
293                     return match substs.upvar_tys(def_id, tcx).nth(field.index()) {
294                         Some(ty) => Ok(ty),
295                         None => Err(FieldAccessError::OutOfRange {
296                             field_count: substs.upvar_tys(def_id, tcx).count()
297                         })
298                     }
299                 }
300                 ty::TyTuple(tys, _) => {
301                     return match tys.get(field.index()) {
302                         Some(&ty) => Ok(ty),
303                         None => Err(FieldAccessError::OutOfRange {
304                             field_count: tys.len()
305                         })
306                     }
307                 }
308                 _ => return Ok(span_mirbug_and_err!(
309                     self, parent, "can't project out of {:?}", base_ty))
310             }
311         };
312
313         if let Some(field) = variant.fields.get(field.index()) {
314             Ok(self.cx.normalize(&field.ty(tcx, substs)))
315         } else {
316             Err(FieldAccessError::OutOfRange { field_count: variant.fields.len() })
317         }
318     }
319 }
320
321 pub struct TypeChecker<'a, 'gcx: 'a+'tcx, 'tcx: 'a> {
322     infcx: &'a InferCtxt<'a, 'gcx, 'tcx>,
323     param_env: ty::ParamEnv<'gcx>,
324     fulfillment_cx: traits::FulfillmentContext<'tcx>,
325     last_span: Span,
326     body_id: ast::NodeId,
327     reported_errors: FxHashSet<(Ty<'tcx>, Span)>,
328 }
329
330 impl<'a, 'gcx, 'tcx> TypeChecker<'a, 'gcx, 'tcx> {
331     fn new(infcx: &'a InferCtxt<'a, 'gcx, 'tcx>,
332            body_id: ast::NodeId,
333            param_env: ty::ParamEnv<'gcx>)
334            -> Self {
335         TypeChecker {
336             infcx,
337             fulfillment_cx: traits::FulfillmentContext::new(),
338             last_span: DUMMY_SP,
339             body_id,
340             param_env,
341             reported_errors: FxHashSet(),
342         }
343     }
344
345     fn misc(&self, span: Span) -> traits::ObligationCause<'tcx> {
346         traits::ObligationCause::misc(span, self.body_id)
347     }
348
349     pub fn register_infer_ok_obligations<T>(&mut self, infer_ok: InferOk<'tcx, T>) -> T {
350         for obligation in infer_ok.obligations {
351             self.fulfillment_cx.register_predicate_obligation(self.infcx, obligation);
352         }
353         infer_ok.value
354     }
355
356     fn sub_types(&mut self, sub: Ty<'tcx>, sup: Ty<'tcx>)
357                  -> infer::UnitResult<'tcx>
358     {
359         self.infcx.at(&self.misc(self.last_span), self.param_env)
360                   .sup(sup, sub)
361                   .map(|ok| self.register_infer_ok_obligations(ok))
362     }
363
364     fn eq_types(&mut self, span: Span, a: Ty<'tcx>, b: Ty<'tcx>)
365                 -> infer::UnitResult<'tcx>
366     {
367         self.infcx.at(&self.misc(span), self.param_env)
368                   .eq(b, a)
369                   .map(|ok| self.register_infer_ok_obligations(ok))
370     }
371
372     fn tcx(&self) -> TyCtxt<'a, 'gcx, 'tcx> {
373         self.infcx.tcx
374     }
375
376     fn check_stmt(&mut self, mir: &Mir<'tcx>, stmt: &Statement<'tcx>) {
377         debug!("check_stmt: {:?}", stmt);
378         let tcx = self.tcx();
379         match stmt.kind {
380             StatementKind::Assign(ref lv, ref rv) => {
381                 let lv_ty = lv.ty(mir, tcx).to_ty(tcx);
382                 let rv_ty = rv.ty(mir, tcx);
383                 if let Err(terr) = self.sub_types(rv_ty, lv_ty) {
384                     span_mirbug!(self, stmt, "bad assignment ({:?} = {:?}): {:?}",
385                                  lv_ty, rv_ty, terr);
386                 }
387             }
388             StatementKind::SetDiscriminant{ ref lvalue, variant_index } => {
389                 let lvalue_type = lvalue.ty(mir, tcx).to_ty(tcx);
390                 let adt = match lvalue_type.sty {
391                     TypeVariants::TyAdt(adt, _) if adt.is_enum() => adt,
392                     _ => {
393                         span_bug!(stmt.source_info.span,
394                                   "bad set discriminant ({:?} = {:?}): lhs is not an enum",
395                                   lvalue,
396                                   variant_index);
397                     }
398                 };
399                 if variant_index >= adt.variants.len() {
400                      span_bug!(stmt.source_info.span,
401                                "bad set discriminant ({:?} = {:?}): value of of range",
402                                lvalue,
403                                variant_index);
404                 };
405             }
406             StatementKind::StorageLive(ref lv) |
407             StatementKind::StorageDead(ref lv) => {
408                 match *lv {
409                     Lvalue::Local(_) => {}
410                     _ => {
411                         span_mirbug!(self, stmt, "bad lvalue: expected local");
412                     }
413                 }
414             }
415             StatementKind::InlineAsm { .. } |
416             StatementKind::EndRegion(_) |
417             StatementKind::Validate(..) |
418             StatementKind::Nop => {}
419         }
420     }
421
422     fn check_terminator(&mut self,
423                         mir: &Mir<'tcx>,
424                         term: &Terminator<'tcx>) {
425         debug!("check_terminator: {:?}", term);
426         let tcx = self.tcx();
427         match term.kind {
428             TerminatorKind::Goto { .. } |
429             TerminatorKind::Resume |
430             TerminatorKind::Return |
431             TerminatorKind::Unreachable |
432             TerminatorKind::Drop { .. } => {
433                 // no checks needed for these
434             }
435
436
437             TerminatorKind::DropAndReplace {
438                 ref location,
439                 ref value,
440                 ..
441             } => {
442                 let lv_ty = location.ty(mir, tcx).to_ty(tcx);
443                 let rv_ty = value.ty(mir, tcx);
444                 if let Err(terr) = self.sub_types(rv_ty, lv_ty) {
445                     span_mirbug!(self, term, "bad DropAndReplace ({:?} = {:?}): {:?}",
446                                  lv_ty, rv_ty, terr);
447                 }
448             }
449             TerminatorKind::SwitchInt { ref discr, switch_ty, .. } => {
450                 let discr_ty = discr.ty(mir, tcx);
451                 if let Err(terr) = self.sub_types(discr_ty, switch_ty) {
452                     span_mirbug!(self, term, "bad SwitchInt ({:?} on {:?}): {:?}",
453                                  switch_ty, discr_ty, terr);
454                 }
455                 if !switch_ty.is_integral() && !switch_ty.is_char() &&
456                     !switch_ty.is_bool()
457                 {
458                     span_mirbug!(self, term, "bad SwitchInt discr ty {:?}",switch_ty);
459                 }
460                 // FIXME: check the values
461             }
462             TerminatorKind::Call { ref func, ref args, ref destination, .. } => {
463                 let func_ty = func.ty(mir, tcx);
464                 debug!("check_terminator: call, func_ty={:?}", func_ty);
465                 let sig = match func_ty.sty {
466                     ty::TyFnDef(..) | ty::TyFnPtr(_) => func_ty.fn_sig(tcx),
467                     _ => {
468                         span_mirbug!(self, term, "call to non-function {:?}", func_ty);
469                         return;
470                     }
471                 };
472                 let sig = tcx.erase_late_bound_regions(&sig);
473                 let sig = self.normalize(&sig);
474                 self.check_call_dest(mir, term, &sig, destination);
475
476                 if self.is_box_free(func) {
477                     self.check_box_free_inputs(mir, term, &sig, args);
478                 } else {
479                     self.check_call_inputs(mir, term, &sig, args);
480                 }
481             }
482             TerminatorKind::Assert { ref cond, ref msg, .. } => {
483                 let cond_ty = cond.ty(mir, tcx);
484                 if cond_ty != tcx.types.bool {
485                     span_mirbug!(self, term, "bad Assert ({:?}, not bool", cond_ty);
486                 }
487
488                 if let AssertMessage::BoundsCheck { ref len, ref index } = *msg {
489                     if len.ty(mir, tcx) != tcx.types.usize {
490                         span_mirbug!(self, len, "bounds-check length non-usize {:?}", len)
491                     }
492                     if index.ty(mir, tcx) != tcx.types.usize {
493                         span_mirbug!(self, index, "bounds-check index non-usize {:?}", index)
494                     }
495                 }
496             }
497         }
498     }
499
500     fn check_call_dest(&mut self,
501                        mir: &Mir<'tcx>,
502                        term: &Terminator<'tcx>,
503                        sig: &ty::FnSig<'tcx>,
504                        destination: &Option<(Lvalue<'tcx>, BasicBlock)>) {
505         let tcx = self.tcx();
506         match *destination {
507             Some((ref dest, _)) => {
508                 let dest_ty = dest.ty(mir, tcx).to_ty(tcx);
509                 if let Err(terr) = self.sub_types(sig.output(), dest_ty) {
510                     span_mirbug!(self, term,
511                                  "call dest mismatch ({:?} <- {:?}): {:?}",
512                                  dest_ty, sig.output(), terr);
513                 }
514             },
515             None => {
516                 // FIXME(canndrew): This is_never should probably be an is_uninhabited
517                 if !sig.output().is_never() {
518                     span_mirbug!(self, term, "call to converging function {:?} w/o dest", sig);
519                 }
520             },
521         }
522     }
523
524     fn check_call_inputs(&mut self,
525                          mir: &Mir<'tcx>,
526                          term: &Terminator<'tcx>,
527                          sig: &ty::FnSig<'tcx>,
528                          args: &[Operand<'tcx>])
529     {
530         debug!("check_call_inputs({:?}, {:?})", sig, args);
531         if args.len() < sig.inputs().len() ||
532            (args.len() > sig.inputs().len() && !sig.variadic) {
533             span_mirbug!(self, term, "call to {:?} with wrong # of args", sig);
534         }
535         for (n, (fn_arg, op_arg)) in sig.inputs().iter().zip(args).enumerate() {
536             let op_arg_ty = op_arg.ty(mir, self.tcx());
537             if let Err(terr) = self.sub_types(op_arg_ty, fn_arg) {
538                 span_mirbug!(self, term, "bad arg #{:?} ({:?} <- {:?}): {:?}",
539                              n, fn_arg, op_arg_ty, terr);
540             }
541         }
542     }
543
544     fn is_box_free(&self, operand: &Operand<'tcx>) -> bool {
545         match operand {
546             &Operand::Constant(box Constant {
547                 literal: Literal::Value {
548                     value: ConstVal::Function(def_id, _), ..
549                 }, ..
550             }) => {
551                 Some(def_id) == self.tcx().lang_items.box_free_fn()
552             }
553             _ => false,
554         }
555     }
556
557     fn check_box_free_inputs(&mut self,
558                              mir: &Mir<'tcx>,
559                              term: &Terminator<'tcx>,
560                              sig: &ty::FnSig<'tcx>,
561                              args: &[Operand<'tcx>])
562     {
563         debug!("check_box_free_inputs");
564
565         // box_free takes a Box as a pointer. Allow for that.
566
567         if sig.inputs().len() != 1 {
568             span_mirbug!(self, term, "box_free should take 1 argument");
569             return;
570         }
571
572         let pointee_ty = match sig.inputs()[0].sty {
573             ty::TyRawPtr(mt) => mt.ty,
574             _ => {
575                 span_mirbug!(self, term, "box_free should take a raw ptr");
576                 return;
577             }
578         };
579
580         if args.len() != 1 {
581             span_mirbug!(self, term, "box_free called with wrong # of args");
582             return;
583         }
584
585         let ty = args[0].ty(mir, self.tcx());
586         let arg_ty = match ty.sty {
587             ty::TyRawPtr(mt) => mt.ty,
588             ty::TyAdt(def, _) if def.is_box() => ty.boxed_ty(),
589             _ => {
590                 span_mirbug!(self, term, "box_free called with bad arg ty");
591                 return;
592             }
593         };
594
595         if let Err(terr) = self.sub_types(arg_ty, pointee_ty) {
596             span_mirbug!(self, term, "bad box_free arg ({:?} <- {:?}): {:?}",
597                          pointee_ty, arg_ty, terr);
598         }
599     }
600
601     fn check_iscleanup(&mut self, mir: &Mir<'tcx>, block: &BasicBlockData<'tcx>)
602     {
603         let is_cleanup = block.is_cleanup;
604         self.last_span = block.terminator().source_info.span;
605         match block.terminator().kind {
606             TerminatorKind::Goto { target } =>
607                 self.assert_iscleanup(mir, block, target, is_cleanup),
608             TerminatorKind::SwitchInt { ref targets, .. } => {
609                 for target in targets {
610                     self.assert_iscleanup(mir, block, *target, is_cleanup);
611                 }
612             }
613             TerminatorKind::Resume => {
614                 if !is_cleanup {
615                     span_mirbug!(self, block, "resume on non-cleanup block!")
616                 }
617             }
618             TerminatorKind::Return => {
619                 if is_cleanup {
620                     span_mirbug!(self, block, "return on cleanup block")
621                 }
622             }
623             TerminatorKind::Unreachable => {}
624             TerminatorKind::Drop { target, unwind, .. } |
625             TerminatorKind::DropAndReplace { target, unwind, .. } |
626             TerminatorKind::Assert { target, cleanup: unwind, .. } => {
627                 self.assert_iscleanup(mir, block, target, is_cleanup);
628                 if let Some(unwind) = unwind {
629                     if is_cleanup {
630                         span_mirbug!(self, block, "unwind on cleanup block")
631                     }
632                     self.assert_iscleanup(mir, block, unwind, true);
633                 }
634             }
635             TerminatorKind::Call { ref destination, cleanup, .. } => {
636                 if let &Some((_, target)) = destination {
637                     self.assert_iscleanup(mir, block, target, is_cleanup);
638                 }
639                 if let Some(cleanup) = cleanup {
640                     if is_cleanup {
641                         span_mirbug!(self, block, "cleanup on cleanup block")
642                     }
643                     self.assert_iscleanup(mir, block, cleanup, true);
644                 }
645             }
646         }
647     }
648
649     fn assert_iscleanup(&mut self,
650                         mir: &Mir<'tcx>,
651                         ctxt: &fmt::Debug,
652                         bb: BasicBlock,
653                         iscleanuppad: bool)
654     {
655         if mir[bb].is_cleanup != iscleanuppad {
656             span_mirbug!(self, ctxt, "cleanuppad mismatch: {:?} should be {:?}",
657                          bb, iscleanuppad);
658         }
659     }
660
661     fn check_local(&mut self, mir: &Mir<'gcx>, local: Local, local_decl: &LocalDecl<'gcx>) {
662         match mir.local_kind(local) {
663             LocalKind::ReturnPointer | LocalKind::Arg => {
664                 // return values of normal functions are required to be
665                 // sized by typeck, but return values of ADT constructors are
666                 // not because we don't include a `Self: Sized` bounds on them.
667                 //
668                 // Unbound parts of arguments were never required to be Sized
669                 // - maybe we should make that a warning.
670                 return
671             }
672             LocalKind::Var | LocalKind::Temp => {}
673         }
674
675         let span = local_decl.source_info.span;
676         let ty = local_decl.ty;
677         if !ty.is_sized(self.tcx().global_tcx(), self.param_env, span) {
678             // in current MIR construction, all non-control-flow rvalue
679             // expressions evaluate through `as_temp` or `into` a return
680             // slot or local, so to find all unsized rvalues it is enough
681             // to check all temps, return slots and locals.
682             if let None = self.reported_errors.replace((ty, span)) {
683                 span_err!(self.tcx().sess, span, E0161,
684                           "cannot move a value of type {0}: the size of {0} \
685                            cannot be statically determined", ty);
686             }
687         }
688     }
689
690     fn typeck_mir(&mut self, mir: &Mir<'gcx>) {
691         self.last_span = mir.span;
692         debug!("run_on_mir: {:?}", mir.span);
693
694         for (local, local_decl) in mir.local_decls.iter_enumerated() {
695             self.check_local(mir, local, local_decl);
696         }
697
698         for block in mir.basic_blocks() {
699             for stmt in &block.statements {
700                 if stmt.source_info.span != DUMMY_SP {
701                     self.last_span = stmt.source_info.span;
702                 }
703                 self.check_stmt(mir, stmt);
704             }
705
706             self.check_terminator(mir, block.terminator());
707             self.check_iscleanup(mir, block);
708         }
709     }
710
711
712     fn normalize<T>(&mut self, value: &T) -> T
713         where T: fmt::Debug + TypeFoldable<'tcx>
714     {
715         let mut selcx = traits::SelectionContext::new(self.infcx);
716         let cause = traits::ObligationCause::misc(self.last_span, ast::CRATE_NODE_ID);
717         let traits::Normalized { value, obligations } =
718             traits::normalize(&mut selcx, self.param_env, cause, value);
719
720         debug!("normalize: value={:?} obligations={:?}",
721                value,
722                obligations);
723
724         let fulfill_cx = &mut self.fulfillment_cx;
725         for obligation in obligations {
726             fulfill_cx.register_predicate_obligation(self.infcx, obligation);
727         }
728
729         value
730     }
731
732     fn verify_obligations(&mut self, mir: &Mir<'tcx>) {
733         self.last_span = mir.span;
734         if let Err(e) = self.fulfillment_cx.select_all_or_error(self.infcx) {
735             span_mirbug!(self, "", "errors selecting obligation: {:?}",
736                          e);
737         }
738     }
739 }
740
741 pub struct TypeckMir;
742
743 impl MirPass for TypeckMir {
744     fn run_pass<'a, 'tcx>(&self,
745                           tcx: TyCtxt<'a, 'tcx, 'tcx>,
746                           src: MirSource,
747                           mir: &mut Mir<'tcx>) {
748         let item_id = src.item_id();
749         let def_id = tcx.hir.local_def_id(item_id);
750         debug!("run_pass: {:?}", def_id);
751
752         if tcx.sess.err_count() > 0 {
753             // compiling a broken program can obviously result in a
754             // broken MIR, so try not to report duplicate errors.
755             return;
756         }
757         let param_env = tcx.param_env(def_id);
758         tcx.infer_ctxt().enter(|infcx| {
759             let mut checker = TypeChecker::new(&infcx, item_id, param_env);
760             {
761                 let mut verifier = TypeVerifier::new(&mut checker, mir);
762                 verifier.visit_mir(mir);
763                 if verifier.errors_reported {
764                     // don't do further checks to avoid ICEs
765                     return;
766                 }
767             }
768             checker.typeck_mir(mir);
769             checker.verify_obligations(mir);
770         });
771     }
772 }