]> git.lizzy.rs Git - rust.git/blob - src/librustc_trans/trans/expr.rs
rollup merge of #21421: huonw/one-suggestion-per-trait
[rust.git] / src / librustc_trans / trans / expr.rs
1 // Copyright 2012-2014 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 //! # Translation of Expressions
12 //!
13 //! Public entry points:
14 //!
15 //! - `trans_into(bcx, expr, dest) -> bcx`: evaluates an expression,
16 //!   storing the result into `dest`. This is the preferred form, if you
17 //!   can manage it.
18 //!
19 //! - `trans(bcx, expr) -> DatumBlock`: evaluates an expression, yielding
20 //!   `Datum` with the result. You can then store the datum, inspect
21 //!   the value, etc. This may introduce temporaries if the datum is a
22 //!   structural type.
23 //!
24 //! - `trans_to_lvalue(bcx, expr, "...") -> DatumBlock`: evaluates an
25 //!   expression and ensures that the result has a cleanup associated with it,
26 //!   creating a temporary stack slot if necessary.
27 //!
28 //! - `trans_local_var -> Datum`: looks up a local variable or upvar.
29 //!
30 //! See doc.rs for more comments.
31
32 #![allow(non_camel_case_types)]
33
34 pub use self::cast_kind::*;
35 pub use self::Dest::*;
36 use self::lazy_binop_ty::*;
37
38 use back::abi;
39 use llvm::{self, ValueRef};
40 use middle::def;
41 use middle::mem_categorization::Typer;
42 use middle::subst::{self, Substs};
43 use trans::{_match, adt, asm, base, callee, closure, consts, controlflow};
44 use trans::base::*;
45 use trans::build::*;
46 use trans::cleanup::{self, CleanupMethods};
47 use trans::common::*;
48 use trans::datum::*;
49 use trans::debuginfo;
50 use trans::glue;
51 use trans::machine;
52 use trans::meth;
53 use trans::monomorphize;
54 use trans::inline;
55 use trans::tvec;
56 use trans::type_of;
57 use middle::ty::{struct_fields, tup_fields};
58 use middle::ty::{AdjustDerefRef, AdjustReifyFnPointer, AutoUnsafe};
59 use middle::ty::{AutoPtr};
60 use middle::ty::{self, Ty};
61 use middle::ty::MethodCall;
62 use util::common::indenter;
63 use util::ppaux::Repr;
64 use trans::machine::{llsize_of, llsize_of_alloc};
65 use trans::type_::Type;
66
67 use syntax::{ast, ast_util, codemap};
68 use syntax::ptr::P;
69 use syntax::parse::token;
70 use std::rc::Rc;
71 use std::iter::repeat;
72
73 // Destinations
74
75 // These are passed around by the code generating functions to track the
76 // destination of a computation's value.
77
78 #[derive(Copy, PartialEq)]
79 pub enum Dest {
80     SaveIn(ValueRef),
81     Ignore,
82 }
83
84 impl Dest {
85     pub fn to_string(&self, ccx: &CrateContext) -> String {
86         match *self {
87             SaveIn(v) => format!("SaveIn({})", ccx.tn().val_to_string(v)),
88             Ignore => "Ignore".to_string()
89         }
90     }
91 }
92
93 /// This function is equivalent to `trans(bcx, expr).store_to_dest(dest)` but it may generate
94 /// better optimized LLVM code.
95 pub fn trans_into<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
96                               expr: &ast::Expr,
97                               dest: Dest)
98                               -> Block<'blk, 'tcx> {
99     let mut bcx = bcx;
100
101     if bcx.tcx().adjustments.borrow().contains_key(&expr.id) {
102         // use trans, which may be less efficient but
103         // which will perform the adjustments:
104         let datum = unpack_datum!(bcx, trans(bcx, expr));
105         return datum.store_to_dest(bcx, dest, expr.id)
106     }
107
108     debug!("trans_into() expr={}", expr.repr(bcx.tcx()));
109
110     let cleanup_debug_loc = debuginfo::get_cleanup_debug_loc_for_ast_node(bcx.ccx(),
111                                                                           expr.id,
112                                                                           expr.span,
113                                                                           false);
114     bcx.fcx.push_ast_cleanup_scope(cleanup_debug_loc);
115
116     debuginfo::set_source_location(bcx.fcx, expr.id, expr.span);
117     let kind = ty::expr_kind(bcx.tcx(), expr);
118     bcx = match kind {
119         ty::LvalueExpr | ty::RvalueDatumExpr => {
120             trans_unadjusted(bcx, expr).store_to_dest(dest, expr.id)
121         }
122         ty::RvalueDpsExpr => {
123             trans_rvalue_dps_unadjusted(bcx, expr, dest)
124         }
125         ty::RvalueStmtExpr => {
126             trans_rvalue_stmt_unadjusted(bcx, expr)
127         }
128     };
129
130     bcx.fcx.pop_and_trans_ast_cleanup_scope(bcx, expr.id)
131 }
132
133 /// Translates an expression, returning a datum (and new block) encapsulating the result. When
134 /// possible, it is preferred to use `trans_into`, as that may avoid creating a temporary on the
135 /// stack.
136 pub fn trans<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
137                          expr: &ast::Expr)
138                          -> DatumBlock<'blk, 'tcx, Expr> {
139     debug!("trans(expr={})", bcx.expr_to_string(expr));
140
141     let mut bcx = bcx;
142     let fcx = bcx.fcx;
143
144     let cleanup_debug_loc = debuginfo::get_cleanup_debug_loc_for_ast_node(bcx.ccx(),
145                                                                           expr.id,
146                                                                           expr.span,
147                                                                           false);
148     fcx.push_ast_cleanup_scope(cleanup_debug_loc);
149     let datum = unpack_datum!(bcx, trans_unadjusted(bcx, expr));
150     let datum = unpack_datum!(bcx, apply_adjustments(bcx, expr, datum));
151     bcx = fcx.pop_and_trans_ast_cleanup_scope(bcx, expr.id);
152     return DatumBlock::new(bcx, datum);
153 }
154
155 pub fn get_len(bcx: Block, fat_ptr: ValueRef) -> ValueRef {
156     GEPi(bcx, fat_ptr, &[0u, abi::FAT_PTR_EXTRA])
157 }
158
159 pub fn get_dataptr(bcx: Block, fat_ptr: ValueRef) -> ValueRef {
160     GEPi(bcx, fat_ptr, &[0u, abi::FAT_PTR_ADDR])
161 }
162
163 /// Helper for trans that apply adjustments from `expr` to `datum`, which should be the unadjusted
164 /// translation of `expr`.
165 fn apply_adjustments<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
166                                  expr: &ast::Expr,
167                                  datum: Datum<'tcx, Expr>)
168                                  -> DatumBlock<'blk, 'tcx, Expr> {
169     let mut bcx = bcx;
170     let mut datum = datum;
171     let adjustment = match bcx.tcx().adjustments.borrow().get(&expr.id).cloned() {
172         None => {
173             return DatumBlock::new(bcx, datum);
174         }
175         Some(adj) => { adj }
176     };
177     debug!("unadjusted datum for expr {}: {}, adjustment={}",
178            expr.repr(bcx.tcx()),
179            datum.to_string(bcx.ccx()),
180            adjustment.repr(bcx.tcx()));
181     match adjustment {
182         AdjustReifyFnPointer(_def_id) => {
183             // FIXME(#19925) once fn item types are
184             // zero-sized, we'll need to do something here
185         }
186         AdjustDerefRef(ref adj) => {
187             let (autoderefs, use_autoref) = match adj.autoref {
188                 // Extracting a value from a box counts as a deref, but if we are
189                 // just converting Box<[T, ..n]> to Box<[T]> we aren't really doing
190                 // a deref (and wouldn't if we could treat Box like a normal struct).
191                 Some(ty::AutoUnsizeUniq(..)) => (adj.autoderefs - 1, true),
192                 // We are a bit paranoid about adjustments and thus might have a re-
193                 // borrow here which merely derefs and then refs again (it might have
194                 // a different region or mutability, but we don't care here. It might
195                 // also be just in case we need to unsize. But if there are no nested
196                 // adjustments then it should be a no-op).
197                 Some(ty::AutoPtr(_, _, None)) if adj.autoderefs == 1 => {
198                     match datum.ty.sty {
199                         // Don't skip a conversion from Box<T> to &T, etc.
200                         ty::ty_rptr(..) => {
201                             let method_call = MethodCall::autoderef(expr.id, adj.autoderefs-1);
202                             let method = bcx.tcx().method_map.borrow().get(&method_call).is_some();
203                             if method {
204                                 // Don't skip an overloaded deref.
205                                 (adj.autoderefs, true)
206                             } else {
207                                 (adj.autoderefs - 1, false)
208                             }
209                         }
210                         _ => (adj.autoderefs, true),
211                     }
212                 }
213                 _ => (adj.autoderefs, true)
214             };
215
216             if autoderefs > 0 {
217                 // Schedule cleanup.
218                 let lval = unpack_datum!(bcx, datum.to_lvalue_datum(bcx, "auto_deref", expr.id));
219                 datum = unpack_datum!(
220                     bcx, deref_multiple(bcx, expr, lval.to_expr_datum(), autoderefs));
221             }
222
223             // (You might think there is a more elegant way to do this than a
224             // use_autoref bool, but then you remember that the borrow checker exists).
225             if let (true, &Some(ref a)) = (use_autoref, &adj.autoref) {
226                 datum = unpack_datum!(bcx, apply_autoref(a,
227                                                          bcx,
228                                                          expr,
229                                                          datum));
230             }
231         }
232     }
233     debug!("after adjustments, datum={}", datum.to_string(bcx.ccx()));
234     return DatumBlock::new(bcx, datum);
235
236     fn apply_autoref<'blk, 'tcx>(autoref: &ty::AutoRef<'tcx>,
237                                  bcx: Block<'blk, 'tcx>,
238                                  expr: &ast::Expr,
239                                  datum: Datum<'tcx, Expr>)
240                                  -> DatumBlock<'blk, 'tcx, Expr> {
241         let mut bcx = bcx;
242         let mut datum = datum;
243
244         let datum = match autoref {
245             &AutoPtr(_, _, ref a) | &AutoUnsafe(_, ref a) => {
246                 debug!("  AutoPtr");
247                 match a {
248                     &Some(box ref a) => {
249                         datum = unpack_datum!(bcx, apply_autoref(a, bcx, expr, datum));
250                     }
251                     &None => {}
252                 }
253                 unpack_datum!(bcx, ref_ptr(bcx, expr, datum))
254             }
255             &ty::AutoUnsize(ref k) => {
256                 debug!("  AutoUnsize");
257                 unpack_datum!(bcx, unsize_expr(bcx, expr, datum, k))
258             }
259
260             &ty::AutoUnsizeUniq(ty::UnsizeLength(len)) => {
261                 debug!("  AutoUnsizeUniq(UnsizeLength)");
262                 unpack_datum!(bcx, unsize_unique_vec(bcx, expr, datum, len))
263             }
264             &ty::AutoUnsizeUniq(ref k) => {
265                 debug!("  AutoUnsizeUniq");
266                 unpack_datum!(bcx, unsize_unique_expr(bcx, expr, datum, k))
267             }
268         };
269
270         DatumBlock::new(bcx, datum)
271     }
272
273     fn ref_ptr<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
274                            expr: &ast::Expr,
275                            datum: Datum<'tcx, Expr>)
276                            -> DatumBlock<'blk, 'tcx, Expr> {
277         debug!("ref_ptr(expr={}, datum={})",
278                expr.repr(bcx.tcx()),
279                datum.to_string(bcx.ccx()));
280
281         if !type_is_sized(bcx.tcx(), datum.ty) {
282             debug!("Taking address of unsized type {}",
283                    bcx.ty_to_string(datum.ty));
284             ref_fat_ptr(bcx, expr, datum)
285         } else {
286             debug!("Taking address of sized type {}",
287                    bcx.ty_to_string(datum.ty));
288             auto_ref(bcx, datum, expr)
289         }
290     }
291
292     // Retrieve the information we are losing (making dynamic) in an unsizing
293     // adjustment.
294     // When making a dtor, we need to do different things depending on the
295     // ownership of the object.. mk_ty is a function for turning `unadjusted_ty`
296     // into a type to be destructed. If we want to end up with a Box pointer,
297     // then mk_ty should make a Box pointer (T -> Box<T>), if we want a
298     // borrowed reference then it should be T -> &T.
299     fn unsized_info<'blk, 'tcx, F>(bcx: Block<'blk, 'tcx>,
300                                    kind: &ty::UnsizeKind<'tcx>,
301                                    id: ast::NodeId,
302                                    unadjusted_ty: Ty<'tcx>,
303                                    mk_ty: F) -> ValueRef where
304         F: FnOnce(Ty<'tcx>) -> Ty<'tcx>,
305     {
306         // FIXME(#19596) workaround: `|t| t` causes monomorphization recursion
307         fn identity<T>(t: T) -> T { t }
308
309         debug!("unsized_info(kind={:?}, id={}, unadjusted_ty={})",
310                kind, id, unadjusted_ty.repr(bcx.tcx()));
311         match kind {
312             &ty::UnsizeLength(len) => C_uint(bcx.ccx(), len),
313             &ty::UnsizeStruct(box ref k, tp_index) => match unadjusted_ty.sty {
314                 ty::ty_struct(_, ref substs) => {
315                     let ty_substs = substs.types.get_slice(subst::TypeSpace);
316                     // The dtor for a field treats it like a value, so mk_ty
317                     // should just be the identity function.
318                     unsized_info(bcx, k, id, ty_substs[tp_index], identity)
319                 }
320                 _ => bcx.sess().bug(&format!("UnsizeStruct with bad sty: {}",
321                                           bcx.ty_to_string(unadjusted_ty))[])
322             },
323             &ty::UnsizeVtable(ty::TyTrait { ref principal, .. }, _) => {
324                 // Note that we preserve binding levels here:
325                 let substs = principal.0.substs.with_self_ty(unadjusted_ty).erase_regions();
326                 let substs = bcx.tcx().mk_substs(substs);
327                 let trait_ref =
328                     ty::Binder(Rc::new(ty::TraitRef { def_id: principal.def_id(),
329                                                       substs: substs }));
330                 let trait_ref = bcx.monomorphize(&trait_ref);
331                 let box_ty = mk_ty(unadjusted_ty);
332                 PointerCast(bcx,
333                             meth::get_vtable(bcx, box_ty, trait_ref),
334                             Type::vtable_ptr(bcx.ccx()))
335             }
336         }
337     }
338
339     fn unsize_expr<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
340                                expr: &ast::Expr,
341                                datum: Datum<'tcx, Expr>,
342                                k: &ty::UnsizeKind<'tcx>)
343                                -> DatumBlock<'blk, 'tcx, Expr> {
344         let tcx = bcx.tcx();
345         let datum_ty = datum.ty;
346         let unsized_ty = ty::unsize_ty(tcx, datum_ty, k, expr.span);
347         debug!("unsized_ty={}", unsized_ty.repr(bcx.tcx()));
348         let dest_ty = ty::mk_open(tcx, unsized_ty);
349         debug!("dest_ty={}", unsized_ty.repr(bcx.tcx()));
350         // Closures for extracting and manipulating the data and payload parts of
351         // the fat pointer.
352         let info = |: bcx, _val| unsized_info(bcx,
353                                               k,
354                                               expr.id,
355                                               datum_ty,
356                                               |t| ty::mk_rptr(tcx,
357                                                               tcx.mk_region(ty::ReStatic),
358                                                               ty::mt{
359                                                                   ty: t,
360                                                                   mutbl: ast::MutImmutable
361                                                               }));
362         match *k {
363             ty::UnsizeStruct(..) =>
364                 into_fat_ptr(bcx, expr, datum, dest_ty, |bcx, val| {
365                     PointerCast(bcx, val, type_of::type_of(bcx.ccx(), unsized_ty).ptr_to())
366                 }, info),
367             ty::UnsizeLength(..) =>
368                 into_fat_ptr(bcx, expr, datum, dest_ty, |bcx, val| {
369                     GEPi(bcx, val, &[0u, 0u])
370                 }, info),
371             ty::UnsizeVtable(..) =>
372                 into_fat_ptr(bcx, expr, datum, dest_ty, |_bcx, val| {
373                     PointerCast(bcx, val, Type::i8p(bcx.ccx()))
374                 }, info),
375         }
376     }
377
378     fn ref_fat_ptr<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
379                                expr: &ast::Expr,
380                                datum: Datum<'tcx, Expr>)
381                                -> DatumBlock<'blk, 'tcx, Expr> {
382         let tcx = bcx.tcx();
383         let dest_ty = ty::close_type(tcx, datum.ty);
384         let base = |: bcx, val| Load(bcx, get_dataptr(bcx, val));
385         let len = |: bcx, val| Load(bcx, get_len(bcx, val));
386         into_fat_ptr(bcx, expr, datum, dest_ty, base, len)
387     }
388
389     fn into_fat_ptr<'blk, 'tcx, F, G>(bcx: Block<'blk, 'tcx>,
390                                       expr: &ast::Expr,
391                                       datum: Datum<'tcx, Expr>,
392                                       dest_ty: Ty<'tcx>,
393                                       base: F,
394                                       info: G)
395                                       -> DatumBlock<'blk, 'tcx, Expr> where
396         F: FnOnce(Block<'blk, 'tcx>, ValueRef) -> ValueRef,
397         G: FnOnce(Block<'blk, 'tcx>, ValueRef) -> ValueRef,
398     {
399         let mut bcx = bcx;
400
401         // Arrange cleanup
402         let lval = unpack_datum!(bcx,
403                                  datum.to_lvalue_datum(bcx, "into_fat_ptr", expr.id));
404         let base = base(bcx, lval.val);
405         let info = info(bcx, lval.val);
406
407         let scratch = rvalue_scratch_datum(bcx, dest_ty, "__fat_ptr");
408         Store(bcx, base, get_dataptr(bcx, scratch.val));
409         Store(bcx, info, get_len(bcx, scratch.val));
410
411         DatumBlock::new(bcx, scratch.to_expr_datum())
412     }
413
414     fn unsize_unique_vec<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
415                                      expr: &ast::Expr,
416                                      datum: Datum<'tcx, Expr>,
417                                      len: uint)
418                                      -> DatumBlock<'blk, 'tcx, Expr> {
419         let mut bcx = bcx;
420         let tcx = bcx.tcx();
421
422         let datum_ty = datum.ty;
423         // Arrange cleanup
424         let lval = unpack_datum!(bcx,
425                                  datum.to_lvalue_datum(bcx, "unsize_unique_vec", expr.id));
426
427         let ll_len = C_uint(bcx.ccx(), len);
428         let unit_ty = ty::sequence_element_type(tcx, ty::type_content(datum_ty));
429         let vec_ty = ty::mk_uniq(tcx, ty::mk_vec(tcx, unit_ty, None));
430         let scratch = rvalue_scratch_datum(bcx, vec_ty, "__unsize_unique");
431
432         let base = get_dataptr(bcx, scratch.val);
433         let base = PointerCast(bcx,
434                                base,
435                                type_of::type_of(bcx.ccx(), datum_ty).ptr_to());
436         bcx = lval.store_to(bcx, base);
437
438         Store(bcx, ll_len, get_len(bcx, scratch.val));
439         DatumBlock::new(bcx, scratch.to_expr_datum())
440     }
441
442     fn unsize_unique_expr<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
443                                       expr: &ast::Expr,
444                                       datum: Datum<'tcx, Expr>,
445                                       k: &ty::UnsizeKind<'tcx>)
446                                       -> DatumBlock<'blk, 'tcx, Expr> {
447         let mut bcx = bcx;
448         let tcx = bcx.tcx();
449
450         let datum_ty = datum.ty;
451         let unboxed_ty = match datum_ty.sty {
452             ty::ty_uniq(t) => t,
453             _ => bcx.sess().bug(&format!("Expected ty_uniq, found {}",
454                                         bcx.ty_to_string(datum_ty))[])
455         };
456         let result_ty = ty::mk_uniq(tcx, ty::unsize_ty(tcx, unboxed_ty, k, expr.span));
457
458         let lval = unpack_datum!(bcx,
459                                  datum.to_lvalue_datum(bcx, "unsize_unique_expr", expr.id));
460
461         let scratch = rvalue_scratch_datum(bcx, result_ty, "__uniq_fat_ptr");
462         let llbox_ty = type_of::type_of(bcx.ccx(), datum_ty);
463         let base = PointerCast(bcx, get_dataptr(bcx, scratch.val), llbox_ty.ptr_to());
464         bcx = lval.store_to(bcx, base);
465
466         let info = unsized_info(bcx, k, expr.id, unboxed_ty, |t| ty::mk_uniq(tcx, t));
467         Store(bcx, info, get_len(bcx, scratch.val));
468
469         let scratch = unpack_datum!(bcx,
470                                     scratch.to_expr_datum().to_lvalue_datum(bcx,
471                                                                             "fresh_uniq_fat_ptr",
472                                                                             expr.id));
473
474         DatumBlock::new(bcx, scratch.to_expr_datum())
475     }
476 }
477
478 /// Translates an expression in "lvalue" mode -- meaning that it returns a reference to the memory
479 /// that the expr represents.
480 ///
481 /// If this expression is an rvalue, this implies introducing a temporary.  In other words,
482 /// something like `x().f` is translated into roughly the equivalent of
483 ///
484 ///   { tmp = x(); tmp.f }
485 pub fn trans_to_lvalue<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
486                                    expr: &ast::Expr,
487                                    name: &str)
488                                    -> DatumBlock<'blk, 'tcx, Lvalue> {
489     let mut bcx = bcx;
490     let datum = unpack_datum!(bcx, trans(bcx, expr));
491     return datum.to_lvalue_datum(bcx, name, expr.id);
492 }
493
494 /// A version of `trans` that ignores adjustments. You almost certainly do not want to call this
495 /// directly.
496 fn trans_unadjusted<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
497                                 expr: &ast::Expr)
498                                 -> DatumBlock<'blk, 'tcx, Expr> {
499     let mut bcx = bcx;
500
501     debug!("trans_unadjusted(expr={})", bcx.expr_to_string(expr));
502     let _indenter = indenter();
503
504     debuginfo::set_source_location(bcx.fcx, expr.id, expr.span);
505
506     return match ty::expr_kind(bcx.tcx(), expr) {
507         ty::LvalueExpr | ty::RvalueDatumExpr => {
508             let datum = unpack_datum!(bcx, {
509                 trans_datum_unadjusted(bcx, expr)
510             });
511
512             DatumBlock {bcx: bcx, datum: datum}
513         }
514
515         ty::RvalueStmtExpr => {
516             bcx = trans_rvalue_stmt_unadjusted(bcx, expr);
517             nil(bcx, expr_ty(bcx, expr))
518         }
519
520         ty::RvalueDpsExpr => {
521             let ty = expr_ty(bcx, expr);
522             if type_is_zero_size(bcx.ccx(), ty) {
523                 bcx = trans_rvalue_dps_unadjusted(bcx, expr, Ignore);
524                 nil(bcx, ty)
525             } else {
526                 let scratch = rvalue_scratch_datum(bcx, ty, "");
527                 bcx = trans_rvalue_dps_unadjusted(
528                     bcx, expr, SaveIn(scratch.val));
529
530                 // Note: this is not obviously a good idea.  It causes
531                 // immediate values to be loaded immediately after a
532                 // return from a call or other similar expression,
533                 // which in turn leads to alloca's having shorter
534                 // lifetimes and hence larger stack frames.  However,
535                 // in turn it can lead to more register pressure.
536                 // Still, in practice it seems to increase
537                 // performance, since we have fewer problems with
538                 // morestack churn.
539                 let scratch = unpack_datum!(
540                     bcx, scratch.to_appropriate_datum(bcx));
541
542                 DatumBlock::new(bcx, scratch.to_expr_datum())
543             }
544         }
545     };
546
547     fn nil<'blk, 'tcx>(bcx: Block<'blk, 'tcx>, ty: Ty<'tcx>)
548                        -> DatumBlock<'blk, 'tcx, Expr> {
549         let llval = C_undef(type_of::type_of(bcx.ccx(), ty));
550         let datum = immediate_rvalue(llval, ty);
551         DatumBlock::new(bcx, datum.to_expr_datum())
552     }
553 }
554
555 fn trans_datum_unadjusted<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
556                                       expr: &ast::Expr)
557                                       -> DatumBlock<'blk, 'tcx, Expr> {
558     let mut bcx = bcx;
559     let fcx = bcx.fcx;
560     let _icx = push_ctxt("trans_datum_unadjusted");
561
562     match expr.node {
563         ast::ExprParen(ref e) => {
564             trans(bcx, &**e)
565         }
566         ast::ExprPath(_) | ast::ExprQPath(_) => {
567             trans_def(bcx, expr, bcx.def(expr.id))
568         }
569         ast::ExprField(ref base, ident) => {
570             trans_rec_field(bcx, &**base, ident.node)
571         }
572         ast::ExprTupField(ref base, idx) => {
573             trans_rec_tup_field(bcx, &**base, idx.node)
574         }
575         ast::ExprIndex(ref base, ref idx) => {
576             trans_index(bcx, expr, &**base, &**idx, MethodCall::expr(expr.id))
577         }
578         ast::ExprBox(_, ref contents) => {
579             // Special case for `Box<T>`
580             let box_ty = expr_ty(bcx, expr);
581             let contents_ty = expr_ty(bcx, &**contents);
582             match box_ty.sty {
583                 ty::ty_uniq(..) => {
584                     trans_uniq_expr(bcx, box_ty, &**contents, contents_ty)
585                 }
586                 _ => bcx.sess().span_bug(expr.span,
587                                          "expected unique box")
588             }
589
590         }
591         ast::ExprLit(ref lit) => trans_immediate_lit(bcx, expr, &**lit),
592         ast::ExprBinary(op, ref lhs, ref rhs) => {
593             trans_binary(bcx, expr, op, &**lhs, &**rhs)
594         }
595         ast::ExprUnary(op, ref x) => {
596             trans_unary(bcx, expr, op, &**x)
597         }
598         ast::ExprAddrOf(_, ref x) => {
599             match x.node {
600                 ast::ExprRepeat(..) | ast::ExprVec(..) => {
601                     // Special case for slices.
602                     let cleanup_debug_loc =
603                         debuginfo::get_cleanup_debug_loc_for_ast_node(bcx.ccx(),
604                                                                       x.id,
605                                                                       x.span,
606                                                                       false);
607                     fcx.push_ast_cleanup_scope(cleanup_debug_loc);
608                     let datum = unpack_datum!(
609                         bcx, tvec::trans_slice_vec(bcx, expr, &**x));
610                     bcx = fcx.pop_and_trans_ast_cleanup_scope(bcx, x.id);
611                     DatumBlock::new(bcx, datum)
612                 }
613                 _ => {
614                     trans_addr_of(bcx, expr, &**x)
615                 }
616             }
617         }
618         ast::ExprCast(ref val, _) => {
619             // Datum output mode means this is a scalar cast:
620             trans_imm_cast(bcx, &**val, expr.id)
621         }
622         _ => {
623             bcx.tcx().sess.span_bug(
624                 expr.span,
625                 &format!("trans_rvalue_datum_unadjusted reached \
626                          fall-through case: {:?}",
627                         expr.node)[]);
628         }
629     }
630 }
631
632 fn trans_field<'blk, 'tcx, F>(bcx: Block<'blk, 'tcx>,
633                               base: &ast::Expr,
634                               get_idx: F)
635                               -> DatumBlock<'blk, 'tcx, Expr> where
636     F: FnOnce(&'blk ty::ctxt<'tcx>, &[ty::field<'tcx>]) -> uint,
637 {
638     let mut bcx = bcx;
639     let _icx = push_ctxt("trans_rec_field");
640
641     let base_datum = unpack_datum!(bcx, trans_to_lvalue(bcx, base, "field"));
642     let bare_ty = ty::unopen_type(base_datum.ty);
643     let repr = adt::represent_type(bcx.ccx(), bare_ty);
644     with_field_tys(bcx.tcx(), bare_ty, None, move |discr, field_tys| {
645         let ix = get_idx(bcx.tcx(), field_tys);
646         let d = base_datum.get_element(
647             bcx,
648             field_tys[ix].mt.ty,
649             |srcval| adt::trans_field_ptr(bcx, &*repr, srcval, discr, ix));
650
651         if type_is_sized(bcx.tcx(), d.ty) {
652             DatumBlock { datum: d.to_expr_datum(), bcx: bcx }
653         } else {
654             let scratch = rvalue_scratch_datum(bcx, ty::mk_open(bcx.tcx(), d.ty), "");
655             Store(bcx, d.val, get_dataptr(bcx, scratch.val));
656             let info = Load(bcx, get_len(bcx, base_datum.val));
657             Store(bcx, info, get_len(bcx, scratch.val));
658
659             DatumBlock::new(bcx, scratch.to_expr_datum())
660
661         }
662     })
663
664 }
665
666 /// Translates `base.field`.
667 fn trans_rec_field<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
668                                base: &ast::Expr,
669                                field: ast::Ident)
670                                -> DatumBlock<'blk, 'tcx, Expr> {
671     trans_field(bcx, base, |tcx, field_tys| ty::field_idx_strict(tcx, field.name, field_tys))
672 }
673
674 /// Translates `base.<idx>`.
675 fn trans_rec_tup_field<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
676                                    base: &ast::Expr,
677                                    idx: uint)
678                                    -> DatumBlock<'blk, 'tcx, Expr> {
679     trans_field(bcx, base, |_, _| idx)
680 }
681
682 fn trans_index<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
683                            index_expr: &ast::Expr,
684                            base: &ast::Expr,
685                            idx: &ast::Expr,
686                            method_call: MethodCall)
687                            -> DatumBlock<'blk, 'tcx, Expr> {
688     //! Translates `base[idx]`.
689
690     let _icx = push_ctxt("trans_index");
691     let ccx = bcx.ccx();
692     let mut bcx = bcx;
693
694     // Check for overloaded index.
695     let method_ty = ccx.tcx()
696                        .method_map
697                        .borrow()
698                        .get(&method_call)
699                        .map(|method| method.ty);
700     let elt_datum = match method_ty {
701         Some(method_ty) => {
702             let method_ty = monomorphize_type(bcx, method_ty);
703
704             let base_datum = unpack_datum!(bcx, trans(bcx, base));
705
706             // Translate index expression.
707             let ix_datum = unpack_datum!(bcx, trans(bcx, idx));
708
709             let ref_ty = // invoked methods have LB regions instantiated:
710                 ty::assert_no_late_bound_regions(
711                     bcx.tcx(), &ty::ty_fn_ret(method_ty)).unwrap();
712             let elt_ty = match ty::deref(ref_ty, true) {
713                 None => {
714                     bcx.tcx().sess.span_bug(index_expr.span,
715                                             "index method didn't return a \
716                                              dereferenceable type?!")
717                 }
718                 Some(elt_tm) => elt_tm.ty,
719             };
720
721             // Overloaded. Evaluate `trans_overloaded_op`, which will
722             // invoke the user's index() method, which basically yields
723             // a `&T` pointer.  We can then proceed down the normal
724             // path (below) to dereference that `&T`.
725             let scratch = rvalue_scratch_datum(bcx, ref_ty, "overloaded_index_elt");
726             unpack_result!(bcx,
727                            trans_overloaded_op(bcx,
728                                                index_expr,
729                                                method_call,
730                                                base_datum,
731                                                vec![(ix_datum, idx.id)],
732                                                Some(SaveIn(scratch.val)),
733                                                true));
734             let datum = scratch.to_expr_datum();
735             if type_is_sized(bcx.tcx(), elt_ty) {
736                 Datum::new(datum.to_llscalarish(bcx), elt_ty, LvalueExpr)
737             } else {
738                 Datum::new(datum.val, ty::mk_open(bcx.tcx(), elt_ty), LvalueExpr)
739             }
740         }
741         None => {
742             let base_datum = unpack_datum!(bcx, trans_to_lvalue(bcx,
743                                                                 base,
744                                                                 "index"));
745
746             // Translate index expression and cast to a suitable LLVM integer.
747             // Rust is less strict than LLVM in this regard.
748             let ix_datum = unpack_datum!(bcx, trans(bcx, idx));
749             let ix_val = ix_datum.to_llscalarish(bcx);
750             let ix_size = machine::llbitsize_of_real(bcx.ccx(),
751                                                      val_ty(ix_val));
752             let int_size = machine::llbitsize_of_real(bcx.ccx(),
753                                                       ccx.int_type());
754             let ix_val = {
755                 if ix_size < int_size {
756                     if ty::type_is_signed(expr_ty(bcx, idx)) {
757                         SExt(bcx, ix_val, ccx.int_type())
758                     } else { ZExt(bcx, ix_val, ccx.int_type()) }
759                 } else if ix_size > int_size {
760                     Trunc(bcx, ix_val, ccx.int_type())
761                 } else {
762                     ix_val
763                 }
764             };
765
766             let vt =
767                 tvec::vec_types(bcx,
768                                 ty::sequence_element_type(bcx.tcx(),
769                                                           base_datum.ty));
770
771             let (base, len) = base_datum.get_vec_base_and_len(bcx);
772
773             debug!("trans_index: base {}", bcx.val_to_string(base));
774             debug!("trans_index: len {}", bcx.val_to_string(len));
775
776             let bounds_check = ICmp(bcx, llvm::IntUGE, ix_val, len);
777             let expect = ccx.get_intrinsic(&("llvm.expect.i1"));
778             let expected = Call(bcx,
779                                 expect,
780                                 &[bounds_check, C_bool(ccx, false)],
781                                 None);
782             bcx = with_cond(bcx, expected, |bcx| {
783                 controlflow::trans_fail_bounds_check(bcx,
784                                                      index_expr.span,
785                                                      ix_val,
786                                                      len)
787             });
788             let elt = InBoundsGEP(bcx, base, &[ix_val]);
789             let elt = PointerCast(bcx, elt, vt.llunit_ty.ptr_to());
790             Datum::new(elt, vt.unit_ty, LvalueExpr)
791         }
792     };
793
794     DatumBlock::new(bcx, elt_datum)
795 }
796
797 fn trans_def<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
798                          ref_expr: &ast::Expr,
799                          def: def::Def)
800                          -> DatumBlock<'blk, 'tcx, Expr> {
801     //! Translates a reference to a path.
802
803     let _icx = push_ctxt("trans_def_lvalue");
804     match def {
805         def::DefFn(..) | def::DefStaticMethod(..) | def::DefMethod(..) |
806         def::DefStruct(_) | def::DefVariant(..) => {
807             let datum = trans_def_fn_unadjusted(bcx.ccx(), ref_expr, def,
808                                                 bcx.fcx.param_substs);
809             DatumBlock::new(bcx, datum.to_expr_datum())
810         }
811         def::DefStatic(did, _) => {
812             // There are two things that may happen here:
813             //  1) If the static item is defined in this crate, it will be
814             //     translated using `get_item_val`, and we return a pointer to
815             //     the result.
816             //  2) If the static item is defined in another crate then we add
817             //     (or reuse) a declaration of an external global, and return a
818             //     pointer to that.
819             let const_ty = expr_ty(bcx, ref_expr);
820
821             fn get_val<'blk, 'tcx>(bcx: Block<'blk, 'tcx>, did: ast::DefId,
822                                    const_ty: Ty<'tcx>) -> ValueRef {
823                 // For external constants, we don't inline.
824                 if did.krate == ast::LOCAL_CRATE {
825                     // Case 1.
826
827                     // The LLVM global has the type of its initializer,
828                     // which may not be equal to the enum's type for
829                     // non-C-like enums.
830                     let val = base::get_item_val(bcx.ccx(), did.node);
831                     let pty = type_of::type_of(bcx.ccx(), const_ty).ptr_to();
832                     PointerCast(bcx, val, pty)
833                 } else {
834                     // Case 2.
835                     base::get_extern_const(bcx.ccx(), did, const_ty)
836                 }
837             }
838             let val = get_val(bcx, did, const_ty);
839             DatumBlock::new(bcx, Datum::new(val, const_ty, LvalueExpr))
840         }
841         def::DefConst(did) => {
842             // First, inline any external constants into the local crate so we
843             // can be sure to get the LLVM value corresponding to it.
844             let did = inline::maybe_instantiate_inline(bcx.ccx(), did);
845             if did.krate != ast::LOCAL_CRATE {
846                 bcx.tcx().sess.span_bug(ref_expr.span,
847                                         "cross crate constant could not \
848                                          be inlined");
849             }
850             let val = base::get_item_val(bcx.ccx(), did.node);
851
852             // Next, we need to crate a ByRef rvalue datum to return. We can't
853             // use the normal .to_ref_datum() function because the type of
854             // `val` is not actually the same as `const_ty`.
855             //
856             // To get around this, we make a custom alloca slot with the
857             // appropriate type (const_ty), and then we cast it to a pointer of
858             // typeof(val), store the value, and then hand this slot over to
859             // the datum infrastructure.
860             let const_ty = expr_ty(bcx, ref_expr);
861             let llty = type_of::type_of(bcx.ccx(), const_ty);
862             let slot = alloca(bcx, llty, "const");
863             let pty = Type::from_ref(unsafe { llvm::LLVMTypeOf(val) }).ptr_to();
864             Store(bcx, val, PointerCast(bcx, slot, pty));
865
866             let datum = Datum::new(slot, const_ty, Rvalue::new(ByRef));
867             DatumBlock::new(bcx, datum.to_expr_datum())
868         }
869         _ => {
870             DatumBlock::new(bcx, trans_local_var(bcx, def).to_expr_datum())
871         }
872     }
873 }
874
875 fn trans_rvalue_stmt_unadjusted<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
876                                             expr: &ast::Expr)
877                                             -> Block<'blk, 'tcx> {
878     let mut bcx = bcx;
879     let _icx = push_ctxt("trans_rvalue_stmt");
880
881     if bcx.unreachable.get() {
882         return bcx;
883     }
884
885     debuginfo::set_source_location(bcx.fcx, expr.id, expr.span);
886
887     match expr.node {
888         ast::ExprParen(ref e) => {
889             trans_into(bcx, &**e, Ignore)
890         }
891         ast::ExprBreak(label_opt) => {
892             controlflow::trans_break(bcx, expr.id, label_opt)
893         }
894         ast::ExprAgain(label_opt) => {
895             controlflow::trans_cont(bcx, expr.id, label_opt)
896         }
897         ast::ExprRet(ref ex) => {
898             // Check to see if the return expression itself is reachable.
899             // This can occur when the inner expression contains a return
900             let reachable = if let Some(ref cfg) = bcx.fcx.cfg {
901                 cfg.node_is_reachable(expr.id)
902             } else {
903                 true
904             };
905
906             if reachable {
907                 controlflow::trans_ret(bcx, ex.as_ref().map(|e| &**e))
908             } else {
909                 // If it's not reachable, just translate the inner expression
910                 // directly. This avoids having to manage a return slot when
911                 // it won't actually be used anyway.
912                 if let &Some(ref x) = ex {
913                     bcx = trans_into(bcx, &**x, Ignore);
914                 }
915                 // Mark the end of the block as unreachable. Once we get to
916                 // a return expression, there's no more we should be doing
917                 // after this.
918                 Unreachable(bcx);
919                 bcx
920             }
921         }
922         ast::ExprWhile(ref cond, ref body, _) => {
923             controlflow::trans_while(bcx, expr.id, &**cond, &**body)
924         }
925         ast::ExprForLoop(ref pat, ref head, ref body, _) => {
926             controlflow::trans_for(bcx,
927                                    expr_info(expr),
928                                    &**pat,
929                                    &**head,
930                                    &**body)
931         }
932         ast::ExprLoop(ref body, _) => {
933             controlflow::trans_loop(bcx, expr.id, &**body)
934         }
935         ast::ExprAssign(ref dst, ref src) => {
936             let src_datum = unpack_datum!(bcx, trans(bcx, &**src));
937             let dst_datum = unpack_datum!(bcx, trans_to_lvalue(bcx, &**dst, "assign"));
938
939             if type_needs_drop(bcx.tcx(), dst_datum.ty) {
940                 // If there are destructors involved, make sure we
941                 // are copying from an rvalue, since that cannot possible
942                 // alias an lvalue. We are concerned about code like:
943                 //
944                 //   a = a
945                 //
946                 // but also
947                 //
948                 //   a = a.b
949                 //
950                 // where e.g. a : Option<Foo> and a.b :
951                 // Option<Foo>. In that case, freeing `a` before the
952                 // assignment may also free `a.b`!
953                 //
954                 // We could avoid this intermediary with some analysis
955                 // to determine whether `dst` may possibly own `src`.
956                 debuginfo::set_source_location(bcx.fcx, expr.id, expr.span);
957                 let src_datum = unpack_datum!(
958                     bcx, src_datum.to_rvalue_datum(bcx, "ExprAssign"));
959                 bcx = glue::drop_ty(bcx,
960                                     dst_datum.val,
961                                     dst_datum.ty,
962                                     Some(NodeInfo { id: expr.id, span: expr.span }));
963                 src_datum.store_to(bcx, dst_datum.val)
964             } else {
965                 src_datum.store_to(bcx, dst_datum.val)
966             }
967         }
968         ast::ExprAssignOp(op, ref dst, ref src) => {
969             trans_assign_op(bcx, expr, op, &**dst, &**src)
970         }
971         ast::ExprInlineAsm(ref a) => {
972             asm::trans_inline_asm(bcx, a)
973         }
974         _ => {
975             bcx.tcx().sess.span_bug(
976                 expr.span,
977                 &format!("trans_rvalue_stmt_unadjusted reached \
978                          fall-through case: {:?}",
979                         expr.node)[]);
980         }
981     }
982 }
983
984 fn trans_rvalue_dps_unadjusted<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
985                                            expr: &ast::Expr,
986                                            dest: Dest)
987                                            -> Block<'blk, 'tcx> {
988     let _icx = push_ctxt("trans_rvalue_dps_unadjusted");
989     let mut bcx = bcx;
990     let tcx = bcx.tcx();
991
992     debuginfo::set_source_location(bcx.fcx, expr.id, expr.span);
993
994     match expr.node {
995         ast::ExprParen(ref e) => {
996             trans_into(bcx, &**e, dest)
997         }
998         ast::ExprPath(_) | ast::ExprQPath(_) => {
999             trans_def_dps_unadjusted(bcx, expr, bcx.def(expr.id), dest)
1000         }
1001         ast::ExprIf(ref cond, ref thn, ref els) => {
1002             controlflow::trans_if(bcx, expr.id, &**cond, &**thn, els.as_ref().map(|e| &**e), dest)
1003         }
1004         ast::ExprMatch(ref discr, ref arms, _) => {
1005             _match::trans_match(bcx, expr, &**discr, &arms[], dest)
1006         }
1007         ast::ExprBlock(ref blk) => {
1008             controlflow::trans_block(bcx, &**blk, dest)
1009         }
1010         ast::ExprStruct(_, ref fields, ref base) => {
1011             trans_struct(bcx,
1012                          &fields[],
1013                          base.as_ref().map(|e| &**e),
1014                          expr.span,
1015                          expr.id,
1016                          node_id_type(bcx, expr.id),
1017                          dest)
1018         }
1019         ast::ExprRange(ref start, ref end) => {
1020             // FIXME it is just not right that we are synthesising ast nodes in
1021             // trans. Shudder.
1022             fn make_field(field_name: &str, expr: P<ast::Expr>) -> ast::Field {
1023                 ast::Field {
1024                     ident: codemap::dummy_spanned(token::str_to_ident(field_name)),
1025                     expr: expr,
1026                     span: codemap::DUMMY_SP,
1027                 }
1028             }
1029
1030             // A range just desugars into a struct.
1031             // Note that the type of the start and end may not be the same, but
1032             // they should only differ in their lifetime, which should not matter
1033             // in trans.
1034             let (did, fields, ty_params) = match (start, end) {
1035                 (&Some(ref start), &Some(ref end)) => {
1036                     // Desugar to Range
1037                     let fields = vec![make_field("start", start.clone()),
1038                                       make_field("end", end.clone())];
1039                     (tcx.lang_items.range_struct(), fields, vec![node_id_type(bcx, start.id)])
1040                 }
1041                 (&Some(ref start), &None) => {
1042                     // Desugar to RangeFrom
1043                     let fields = vec![make_field("start", start.clone())];
1044                     (tcx.lang_items.range_from_struct(), fields, vec![node_id_type(bcx, start.id)])
1045                 }
1046                 (&None, &Some(ref end)) => {
1047                     // Desugar to RangeTo
1048                     let fields = vec![make_field("end", end.clone())];
1049                     (tcx.lang_items.range_to_struct(), fields, vec![node_id_type(bcx, end.id)])
1050                 }
1051                 _ => {
1052                     // Desugar to FullRange
1053                     (tcx.lang_items.full_range_struct(), vec![], vec![])
1054                 }
1055             };
1056
1057             if let Some(did) = did {
1058                 let substs = Substs::new_type(ty_params, vec![]);
1059                 trans_struct(bcx,
1060                              fields.as_slice(),
1061                              None,
1062                              expr.span,
1063                              expr.id,
1064                              ty::mk_struct(tcx, did, tcx.mk_substs(substs)),
1065                              dest)
1066             } else {
1067                 tcx.sess.span_bug(expr.span,
1068                                   "No lang item for ranges (how did we get this far?)")
1069             }
1070         }
1071         ast::ExprTup(ref args) => {
1072             let numbered_fields: Vec<(uint, &ast::Expr)> =
1073                 args.iter().enumerate().map(|(i, arg)| (i, &**arg)).collect();
1074             trans_adt(bcx,
1075                       expr_ty(bcx, expr),
1076                       0,
1077                       &numbered_fields[],
1078                       None,
1079                       dest,
1080                       Some(NodeInfo { id: expr.id, span: expr.span }))
1081         }
1082         ast::ExprLit(ref lit) => {
1083             match lit.node {
1084                 ast::LitStr(ref s, _) => {
1085                     tvec::trans_lit_str(bcx, expr, (*s).clone(), dest)
1086                 }
1087                 _ => {
1088                     bcx.tcx()
1089                        .sess
1090                        .span_bug(expr.span,
1091                                  "trans_rvalue_dps_unadjusted shouldn't be \
1092                                   translating this type of literal")
1093                 }
1094             }
1095         }
1096         ast::ExprVec(..) | ast::ExprRepeat(..) => {
1097             tvec::trans_fixed_vstore(bcx, expr, dest)
1098         }
1099         ast::ExprClosure(_, _, ref decl, ref body) => {
1100             // Check the side-table to see whether this is an unboxed
1101             // closure or an older, legacy style closure. Store this
1102             // into a variable to ensure the the RefCell-lock is
1103             // released before we recurse.
1104             closure::trans_unboxed_closure(bcx, &**decl, &**body, expr.id, dest)
1105         }
1106         ast::ExprCall(ref f, ref args) => {
1107             if bcx.tcx().is_method_call(expr.id) {
1108                 trans_overloaded_call(bcx,
1109                                       expr,
1110                                       &**f,
1111                                       &args[],
1112                                       Some(dest))
1113             } else {
1114                 callee::trans_call(bcx,
1115                                    expr,
1116                                    &**f,
1117                                    callee::ArgExprs(&args[]),
1118                                    dest)
1119             }
1120         }
1121         ast::ExprMethodCall(_, _, ref args) => {
1122             callee::trans_method_call(bcx,
1123                                       expr,
1124                                       &*args[0],
1125                                       callee::ArgExprs(&args[]),
1126                                       dest)
1127         }
1128         ast::ExprBinary(op, ref lhs, ref rhs) => {
1129             // if not overloaded, would be RvalueDatumExpr
1130             let lhs = unpack_datum!(bcx, trans(bcx, &**lhs));
1131             let rhs_datum = unpack_datum!(bcx, trans(bcx, &**rhs));
1132             trans_overloaded_op(bcx, expr, MethodCall::expr(expr.id), lhs,
1133                                 vec![(rhs_datum, rhs.id)], Some(dest),
1134                                 !ast_util::is_by_value_binop(op)).bcx
1135         }
1136         ast::ExprUnary(op, ref subexpr) => {
1137             // if not overloaded, would be RvalueDatumExpr
1138             let arg = unpack_datum!(bcx, trans(bcx, &**subexpr));
1139             trans_overloaded_op(bcx, expr, MethodCall::expr(expr.id),
1140                                 arg, Vec::new(), Some(dest), !ast_util::is_by_value_unop(op)).bcx
1141         }
1142         ast::ExprIndex(ref base, ref idx) => {
1143             // if not overloaded, would be RvalueDatumExpr
1144             let base = unpack_datum!(bcx, trans(bcx, &**base));
1145             let idx_datum = unpack_datum!(bcx, trans(bcx, &**idx));
1146             trans_overloaded_op(bcx, expr, MethodCall::expr(expr.id), base,
1147                                 vec![(idx_datum, idx.id)], Some(dest), true).bcx
1148         }
1149         ast::ExprCast(ref val, _) => {
1150             // DPS output mode means this is a trait cast:
1151             if ty::type_is_trait(node_id_type(bcx, expr.id)) {
1152                 let trait_ref =
1153                     bcx.tcx().object_cast_map.borrow()
1154                                              .get(&expr.id)
1155                                              .map(|t| (*t).clone())
1156                                              .unwrap();
1157                 let trait_ref = bcx.monomorphize(&trait_ref);
1158                 let datum = unpack_datum!(bcx, trans(bcx, &**val));
1159                 meth::trans_trait_cast(bcx, datum, expr.id,
1160                                        trait_ref, dest)
1161             } else {
1162                 bcx.tcx().sess.span_bug(expr.span,
1163                                         "expr_cast of non-trait");
1164             }
1165         }
1166         ast::ExprAssignOp(op, ref dst, ref src) => {
1167             trans_assign_op(bcx, expr, op, &**dst, &**src)
1168         }
1169         _ => {
1170             bcx.tcx().sess.span_bug(
1171                 expr.span,
1172                 &format!("trans_rvalue_dps_unadjusted reached fall-through \
1173                          case: {:?}",
1174                         expr.node)[]);
1175         }
1176     }
1177 }
1178
1179 fn trans_def_dps_unadjusted<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1180                                         ref_expr: &ast::Expr,
1181                                         def: def::Def,
1182                                         dest: Dest)
1183                                         -> Block<'blk, 'tcx> {
1184     let _icx = push_ctxt("trans_def_dps_unadjusted");
1185
1186     let lldest = match dest {
1187         SaveIn(lldest) => lldest,
1188         Ignore => { return bcx; }
1189     };
1190
1191     match def {
1192         def::DefVariant(tid, vid, _) => {
1193             let variant_info = ty::enum_variant_with_id(bcx.tcx(), tid, vid);
1194             if variant_info.args.len() > 0u {
1195                 // N-ary variant.
1196                 let llfn = callee::trans_fn_ref(bcx.ccx(), vid,
1197                                                 ExprId(ref_expr.id),
1198                                                 bcx.fcx.param_substs).val;
1199                 Store(bcx, llfn, lldest);
1200                 return bcx;
1201             } else {
1202                 // Nullary variant.
1203                 let ty = expr_ty(bcx, ref_expr);
1204                 let repr = adt::represent_type(bcx.ccx(), ty);
1205                 adt::trans_set_discr(bcx, &*repr, lldest,
1206                                      variant_info.disr_val);
1207                 return bcx;
1208             }
1209         }
1210         def::DefStruct(_) => {
1211             let ty = expr_ty(bcx, ref_expr);
1212             match ty.sty {
1213                 ty::ty_struct(did, _) if ty::has_dtor(bcx.tcx(), did) => {
1214                     let repr = adt::represent_type(bcx.ccx(), ty);
1215                     adt::trans_set_discr(bcx, &*repr, lldest, 0);
1216                 }
1217                 _ => {}
1218             }
1219             bcx
1220         }
1221         _ => {
1222             bcx.tcx().sess.span_bug(ref_expr.span, &format!(
1223                 "Non-DPS def {:?} referened by {}",
1224                 def, bcx.node_id_to_string(ref_expr.id))[]);
1225         }
1226     }
1227 }
1228
1229 pub fn trans_def_fn_unadjusted<'a, 'tcx>(ccx: &CrateContext<'a, 'tcx>,
1230                                          ref_expr: &ast::Expr,
1231                                          def: def::Def,
1232                                          param_substs: &subst::Substs<'tcx>)
1233                                          -> Datum<'tcx, Rvalue> {
1234     let _icx = push_ctxt("trans_def_datum_unadjusted");
1235
1236     match def {
1237         def::DefFn(did, _) |
1238         def::DefStruct(did) | def::DefVariant(_, did, _) |
1239         def::DefStaticMethod(did, def::FromImpl(_)) |
1240         def::DefMethod(did, _, def::FromImpl(_)) => {
1241             callee::trans_fn_ref(ccx, did, ExprId(ref_expr.id), param_substs)
1242         }
1243         def::DefStaticMethod(impl_did, def::FromTrait(trait_did)) |
1244         def::DefMethod(impl_did, _, def::FromTrait(trait_did)) => {
1245             meth::trans_static_method_callee(ccx, impl_did,
1246                                              trait_did, ref_expr.id,
1247                                              param_substs)
1248         }
1249         _ => {
1250             ccx.tcx().sess.span_bug(ref_expr.span, &format!(
1251                     "trans_def_fn_unadjusted invoked on: {:?} for {}",
1252                     def,
1253                     ref_expr.repr(ccx.tcx()))[]);
1254         }
1255     }
1256 }
1257
1258 /// Translates a reference to a local variable or argument. This always results in an lvalue datum.
1259 pub fn trans_local_var<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1260                                    def: def::Def)
1261                                    -> Datum<'tcx, Lvalue> {
1262     let _icx = push_ctxt("trans_local_var");
1263
1264     match def {
1265         def::DefUpvar(nid, _, _) => {
1266             // Can't move upvars, so this is never a ZeroMemLastUse.
1267             let local_ty = node_id_type(bcx, nid);
1268             match bcx.fcx.llupvars.borrow().get(&nid) {
1269                 Some(&val) => Datum::new(val, local_ty, Lvalue),
1270                 None => {
1271                     bcx.sess().bug(&format!(
1272                         "trans_local_var: no llval for upvar {} found",
1273                         nid)[]);
1274                 }
1275             }
1276         }
1277         def::DefLocal(nid) => {
1278             let datum = match bcx.fcx.lllocals.borrow().get(&nid) {
1279                 Some(&v) => v,
1280                 None => {
1281                     bcx.sess().bug(&format!(
1282                         "trans_local_var: no datum for local/arg {} found",
1283                         nid)[]);
1284                 }
1285             };
1286             debug!("take_local(nid={}, v={}, ty={})",
1287                    nid, bcx.val_to_string(datum.val), bcx.ty_to_string(datum.ty));
1288             datum
1289         }
1290         _ => {
1291             bcx.sess().unimpl(&format!(
1292                 "unsupported def type in trans_local_var: {:?}",
1293                 def)[]);
1294         }
1295     }
1296 }
1297
1298 /// Helper for enumerating the field types of structs, enums, or records. The optional node ID here
1299 /// is the node ID of the path identifying the enum variant in use. If none, this cannot possibly
1300 /// an enum variant (so, if it is and `node_id_opt` is none, this function panics).
1301 pub fn with_field_tys<'tcx, R, F>(tcx: &ty::ctxt<'tcx>,
1302                                   ty: Ty<'tcx>,
1303                                   node_id_opt: Option<ast::NodeId>,
1304                                   op: F)
1305                                   -> R where
1306     F: FnOnce(ty::Disr, &[ty::field<'tcx>]) -> R,
1307 {
1308     match ty.sty {
1309         ty::ty_struct(did, substs) => {
1310             let fields = struct_fields(tcx, did, substs);
1311             let fields = monomorphize::normalize_associated_type(tcx, &fields);
1312             op(0, &fields[])
1313         }
1314
1315         ty::ty_tup(ref v) => {
1316             op(0, &tup_fields(&v[])[])
1317         }
1318
1319         ty::ty_enum(_, substs) => {
1320             // We want the *variant* ID here, not the enum ID.
1321             match node_id_opt {
1322                 None => {
1323                     tcx.sess.bug(&format!(
1324                         "cannot get field types from the enum type {} \
1325                          without a node ID",
1326                         ty.repr(tcx))[]);
1327                 }
1328                 Some(node_id) => {
1329                     let def = tcx.def_map.borrow()[node_id].clone();
1330                     match def {
1331                         def::DefVariant(enum_id, variant_id, _) => {
1332                             let variant_info = ty::enum_variant_with_id(
1333                                 tcx, enum_id, variant_id);
1334                             let fields = struct_fields(tcx, variant_id, substs);
1335                             let fields = monomorphize::normalize_associated_type(tcx, &fields);
1336                             op(variant_info.disr_val, &fields[])
1337                         }
1338                         _ => {
1339                             tcx.sess.bug("resolve didn't map this expr to a \
1340                                           variant ID")
1341                         }
1342                     }
1343                 }
1344             }
1345         }
1346
1347         _ => {
1348             tcx.sess.bug(&format!(
1349                 "cannot get field types from the type {}",
1350                 ty.repr(tcx))[]);
1351         }
1352     }
1353 }
1354
1355 fn trans_struct<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1356                             fields: &[ast::Field],
1357                             base: Option<&ast::Expr>,
1358                             expr_span: codemap::Span,
1359                             expr_id: ast::NodeId,
1360                             ty: Ty<'tcx>,
1361                             dest: Dest) -> Block<'blk, 'tcx> {
1362     let _icx = push_ctxt("trans_rec");
1363
1364     let tcx = bcx.tcx();
1365     with_field_tys(tcx, ty, Some(expr_id), |discr, field_tys| {
1366         let mut need_base: Vec<bool> = repeat(true).take(field_tys.len()).collect();
1367
1368         let numbered_fields = fields.iter().map(|field| {
1369             let opt_pos =
1370                 field_tys.iter().position(|field_ty|
1371                                           field_ty.name == field.ident.node.name);
1372             let result = match opt_pos {
1373                 Some(i) => {
1374                     need_base[i] = false;
1375                     (i, &*field.expr)
1376                 }
1377                 None => {
1378                     tcx.sess.span_bug(field.span,
1379                                       "Couldn't find field in struct type")
1380                 }
1381             };
1382             result
1383         }).collect::<Vec<_>>();
1384         let optbase = match base {
1385             Some(base_expr) => {
1386                 let mut leftovers = Vec::new();
1387                 for (i, b) in need_base.iter().enumerate() {
1388                     if *b {
1389                         leftovers.push((i, field_tys[i].mt.ty));
1390                     }
1391                 }
1392                 Some(StructBaseInfo {expr: base_expr,
1393                                      fields: leftovers })
1394             }
1395             None => {
1396                 if need_base.iter().any(|b| *b) {
1397                     tcx.sess.span_bug(expr_span, "missing fields and no base expr")
1398                 }
1399                 None
1400             }
1401         };
1402
1403         trans_adt(bcx,
1404                   ty,
1405                   discr,
1406                   numbered_fields.as_slice(),
1407                   optbase,
1408                   dest,
1409                   Some(NodeInfo { id: expr_id, span: expr_span }))
1410     })
1411 }
1412
1413 /// Information that `trans_adt` needs in order to fill in the fields
1414 /// of a struct copied from a base struct (e.g., from an expression
1415 /// like `Foo { a: b, ..base }`.
1416 ///
1417 /// Note that `fields` may be empty; the base expression must always be
1418 /// evaluated for side-effects.
1419 pub struct StructBaseInfo<'a, 'tcx> {
1420     /// The base expression; will be evaluated after all explicit fields.
1421     expr: &'a ast::Expr,
1422     /// The indices of fields to copy paired with their types.
1423     fields: Vec<(uint, Ty<'tcx>)>
1424 }
1425
1426 /// Constructs an ADT instance:
1427 ///
1428 /// - `fields` should be a list of field indices paired with the
1429 /// expression to store into that field.  The initializers will be
1430 /// evaluated in the order specified by `fields`.
1431 ///
1432 /// - `optbase` contains information on the base struct (if any) from
1433 /// which remaining fields are copied; see comments on `StructBaseInfo`.
1434 pub fn trans_adt<'a, 'blk, 'tcx>(mut bcx: Block<'blk, 'tcx>,
1435                                  ty: Ty<'tcx>,
1436                                  discr: ty::Disr,
1437                                  fields: &[(uint, &ast::Expr)],
1438                                  optbase: Option<StructBaseInfo<'a, 'tcx>>,
1439                                  dest: Dest,
1440                                  source_location: Option<NodeInfo>)
1441                                  -> Block<'blk, 'tcx> {
1442     let _icx = push_ctxt("trans_adt");
1443     let fcx = bcx.fcx;
1444     let repr = adt::represent_type(bcx.ccx(), ty);
1445
1446     match source_location {
1447         Some(src_loc) => debuginfo::set_source_location(bcx.fcx,
1448                                                         src_loc.id,
1449                                                         src_loc.span),
1450         None => {}
1451     };
1452
1453     // If we don't care about the result, just make a
1454     // temporary stack slot
1455     let addr = match dest {
1456         SaveIn(pos) => pos,
1457         Ignore => alloc_ty(bcx, ty, "temp"),
1458     };
1459
1460     // This scope holds intermediates that must be cleaned should
1461     // panic occur before the ADT as a whole is ready.
1462     let custom_cleanup_scope = fcx.push_custom_cleanup_scope();
1463
1464     // First we trans the base, if we have one, to the dest
1465     for base in optbase.iter() {
1466         assert_eq!(discr, 0);
1467
1468         match ty::expr_kind(bcx.tcx(), &*base.expr) {
1469             ty::RvalueDpsExpr | ty::RvalueDatumExpr if !type_needs_drop(bcx.tcx(), ty) => {
1470                 bcx = trans_into(bcx, &*base.expr, SaveIn(addr));
1471             },
1472             ty::RvalueStmtExpr => bcx.tcx().sess.bug("unexpected expr kind for struct base expr"),
1473             _ => {
1474                 let base_datum = unpack_datum!(bcx, trans_to_lvalue(bcx, &*base.expr, "base"));
1475                 for &(i, t) in base.fields.iter() {
1476                     let datum = base_datum.get_element(
1477                             bcx, t, |srcval| adt::trans_field_ptr(bcx, &*repr, srcval, discr, i));
1478                     assert!(type_is_sized(bcx.tcx(), datum.ty));
1479                     let dest = adt::trans_field_ptr(bcx, &*repr, addr, discr, i);
1480                     bcx = datum.store_to(bcx, dest);
1481                 }
1482             }
1483         }
1484     }
1485
1486     match source_location {
1487         Some(src_loc) => debuginfo::set_source_location(bcx.fcx,
1488                                                         src_loc.id,
1489                                                         src_loc.span),
1490         None => {}
1491     };
1492
1493     if ty::type_is_simd(bcx.tcx(), ty) {
1494         // This is the constructor of a SIMD type, such types are
1495         // always primitive machine types and so do not have a
1496         // destructor or require any clean-up.
1497         let llty = type_of::type_of(bcx.ccx(), ty);
1498
1499         // keep a vector as a register, and running through the field
1500         // `insertelement`ing them directly into that register
1501         // (i.e. avoid GEPi and `store`s to an alloca) .
1502         let mut vec_val = C_undef(llty);
1503
1504         for &(i, ref e) in fields.iter() {
1505             let block_datum = trans(bcx, &**e);
1506             bcx = block_datum.bcx;
1507             let position = C_uint(bcx.ccx(), i);
1508             let value = block_datum.datum.to_llscalarish(bcx);
1509             vec_val = InsertElement(bcx, vec_val, value, position);
1510         }
1511         Store(bcx, vec_val, addr);
1512     } else {
1513         // Now, we just overwrite the fields we've explicitly specified
1514         for &(i, ref e) in fields.iter() {
1515             let dest = adt::trans_field_ptr(bcx, &*repr, addr, discr, i);
1516             let e_ty = expr_ty_adjusted(bcx, &**e);
1517             bcx = trans_into(bcx, &**e, SaveIn(dest));
1518             let scope = cleanup::CustomScope(custom_cleanup_scope);
1519             fcx.schedule_lifetime_end(scope, dest);
1520             fcx.schedule_drop_mem(scope, dest, e_ty);
1521         }
1522     }
1523
1524     adt::trans_set_discr(bcx, &*repr, addr, discr);
1525
1526     fcx.pop_custom_cleanup_scope(custom_cleanup_scope);
1527
1528     // If we don't care about the result drop the temporary we made
1529     match dest {
1530         SaveIn(_) => bcx,
1531         Ignore => {
1532             bcx = glue::drop_ty(bcx, addr, ty, source_location);
1533             base::call_lifetime_end(bcx, addr);
1534             bcx
1535         }
1536     }
1537 }
1538
1539
1540 fn trans_immediate_lit<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1541                                    expr: &ast::Expr,
1542                                    lit: &ast::Lit)
1543                                    -> DatumBlock<'blk, 'tcx, Expr> {
1544     // must not be a string constant, that is a RvalueDpsExpr
1545     let _icx = push_ctxt("trans_immediate_lit");
1546     let ty = expr_ty(bcx, expr);
1547     let v = consts::const_lit(bcx.ccx(), expr, lit);
1548     immediate_rvalue_bcx(bcx, v, ty).to_expr_datumblock()
1549 }
1550
1551 fn trans_unary<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1552                            expr: &ast::Expr,
1553                            op: ast::UnOp,
1554                            sub_expr: &ast::Expr)
1555                            -> DatumBlock<'blk, 'tcx, Expr> {
1556     let ccx = bcx.ccx();
1557     let mut bcx = bcx;
1558     let _icx = push_ctxt("trans_unary_datum");
1559
1560     let method_call = MethodCall::expr(expr.id);
1561
1562     // The only overloaded operator that is translated to a datum
1563     // is an overloaded deref, since it is always yields a `&T`.
1564     // Otherwise, we should be in the RvalueDpsExpr path.
1565     assert!(
1566         op == ast::UnDeref ||
1567         !ccx.tcx().method_map.borrow().contains_key(&method_call));
1568
1569     let un_ty = expr_ty(bcx, expr);
1570
1571     match op {
1572         ast::UnNot => {
1573             let datum = unpack_datum!(bcx, trans(bcx, sub_expr));
1574             let llresult = Not(bcx, datum.to_llscalarish(bcx));
1575             immediate_rvalue_bcx(bcx, llresult, un_ty).to_expr_datumblock()
1576         }
1577         ast::UnNeg => {
1578             let datum = unpack_datum!(bcx, trans(bcx, sub_expr));
1579             let val = datum.to_llscalarish(bcx);
1580             let llneg = {
1581                 if ty::type_is_fp(un_ty) {
1582                     FNeg(bcx, val)
1583                 } else {
1584                     Neg(bcx, val)
1585                 }
1586             };
1587             immediate_rvalue_bcx(bcx, llneg, un_ty).to_expr_datumblock()
1588         }
1589         ast::UnUniq => {
1590             trans_uniq_expr(bcx, un_ty, sub_expr, expr_ty(bcx, sub_expr))
1591         }
1592         ast::UnDeref => {
1593             let datum = unpack_datum!(bcx, trans(bcx, sub_expr));
1594             deref_once(bcx, expr, datum, method_call)
1595         }
1596     }
1597 }
1598
1599 fn trans_uniq_expr<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1600                                box_ty: Ty<'tcx>,
1601                                contents: &ast::Expr,
1602                                contents_ty: Ty<'tcx>)
1603                                -> DatumBlock<'blk, 'tcx, Expr> {
1604     let _icx = push_ctxt("trans_uniq_expr");
1605     let fcx = bcx.fcx;
1606     assert!(type_is_sized(bcx.tcx(), contents_ty));
1607     let llty = type_of::type_of(bcx.ccx(), contents_ty);
1608     let size = llsize_of(bcx.ccx(), llty);
1609     let align = C_uint(bcx.ccx(), type_of::align_of(bcx.ccx(), contents_ty));
1610     let llty_ptr = llty.ptr_to();
1611     let Result { bcx, val } = malloc_raw_dyn(bcx, llty_ptr, box_ty, size, align);
1612     // Unique boxes do not allocate for zero-size types. The standard library
1613     // may assume that `free` is never called on the pointer returned for
1614     // `Box<ZeroSizeType>`.
1615     let bcx = if llsize_of_alloc(bcx.ccx(), llty) == 0 {
1616         trans_into(bcx, contents, SaveIn(val))
1617     } else {
1618         let custom_cleanup_scope = fcx.push_custom_cleanup_scope();
1619         fcx.schedule_free_value(cleanup::CustomScope(custom_cleanup_scope),
1620                                 val, cleanup::HeapExchange, contents_ty);
1621         let bcx = trans_into(bcx, contents, SaveIn(val));
1622         fcx.pop_custom_cleanup_scope(custom_cleanup_scope);
1623         bcx
1624     };
1625     immediate_rvalue_bcx(bcx, val, box_ty).to_expr_datumblock()
1626 }
1627
1628 fn trans_addr_of<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1629                              expr: &ast::Expr,
1630                              subexpr: &ast::Expr)
1631                              -> DatumBlock<'blk, 'tcx, Expr> {
1632     let _icx = push_ctxt("trans_addr_of");
1633     let mut bcx = bcx;
1634     let sub_datum = unpack_datum!(bcx, trans_to_lvalue(bcx, subexpr, "addr_of"));
1635     match sub_datum.ty.sty {
1636         ty::ty_open(_) => {
1637             // Opened DST value, close to a fat pointer
1638             debug!("Closing fat pointer {}", bcx.ty_to_string(sub_datum.ty));
1639
1640             let scratch = rvalue_scratch_datum(bcx,
1641                                                ty::close_type(bcx.tcx(), sub_datum.ty),
1642                                                "fat_addr_of");
1643             let base = Load(bcx, get_dataptr(bcx, sub_datum.val));
1644             Store(bcx, base, get_dataptr(bcx, scratch.val));
1645
1646             let len = Load(bcx, get_len(bcx, sub_datum.val));
1647             Store(bcx, len, get_len(bcx, scratch.val));
1648
1649             DatumBlock::new(bcx, scratch.to_expr_datum())
1650         }
1651         _ => {
1652             // Sized value, ref to a thin pointer
1653             let ty = expr_ty(bcx, expr);
1654             immediate_rvalue_bcx(bcx, sub_datum.val, ty).to_expr_datumblock()
1655         }
1656     }
1657 }
1658
1659 // Important to get types for both lhs and rhs, because one might be _|_
1660 // and the other not.
1661 fn trans_eager_binop<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1662                                  binop_expr: &ast::Expr,
1663                                  binop_ty: Ty<'tcx>,
1664                                  op: ast::BinOp,
1665                                  lhs_t: Ty<'tcx>,
1666                                  lhs: ValueRef,
1667                                  rhs_t: Ty<'tcx>,
1668                                  rhs: ValueRef)
1669                                  -> DatumBlock<'blk, 'tcx, Expr> {
1670     let _icx = push_ctxt("trans_eager_binop");
1671
1672     let tcx = bcx.tcx();
1673     let is_simd = ty::type_is_simd(tcx, lhs_t);
1674     let intype = {
1675         if is_simd { ty::simd_type(tcx, lhs_t) }
1676         else { lhs_t }
1677     };
1678     let is_float = ty::type_is_fp(intype);
1679     let is_signed = ty::type_is_signed(intype);
1680
1681     let rhs = base::cast_shift_expr_rhs(bcx, op, lhs, rhs);
1682
1683     let mut bcx = bcx;
1684     let val = match op {
1685       ast::BiAdd => {
1686         if is_float { FAdd(bcx, lhs, rhs) }
1687         else { Add(bcx, lhs, rhs) }
1688       }
1689       ast::BiSub => {
1690         if is_float { FSub(bcx, lhs, rhs) }
1691         else { Sub(bcx, lhs, rhs) }
1692       }
1693       ast::BiMul => {
1694         if is_float { FMul(bcx, lhs, rhs) }
1695         else { Mul(bcx, lhs, rhs) }
1696       }
1697       ast::BiDiv => {
1698         if is_float {
1699             FDiv(bcx, lhs, rhs)
1700         } else {
1701             // Only zero-check integers; fp /0 is NaN
1702             bcx = base::fail_if_zero_or_overflows(bcx, binop_expr.span,
1703                                                   op, lhs, rhs, rhs_t);
1704             if is_signed {
1705                 SDiv(bcx, lhs, rhs)
1706             } else {
1707                 UDiv(bcx, lhs, rhs)
1708             }
1709         }
1710       }
1711       ast::BiRem => {
1712         if is_float {
1713             FRem(bcx, lhs, rhs)
1714         } else {
1715             // Only zero-check integers; fp %0 is NaN
1716             bcx = base::fail_if_zero_or_overflows(bcx, binop_expr.span,
1717                                                   op, lhs, rhs, rhs_t);
1718             if is_signed {
1719                 SRem(bcx, lhs, rhs)
1720             } else {
1721                 URem(bcx, lhs, rhs)
1722             }
1723         }
1724       }
1725       ast::BiBitOr => Or(bcx, lhs, rhs),
1726       ast::BiBitAnd => And(bcx, lhs, rhs),
1727       ast::BiBitXor => Xor(bcx, lhs, rhs),
1728       ast::BiShl => Shl(bcx, lhs, rhs),
1729       ast::BiShr => {
1730         if is_signed {
1731             AShr(bcx, lhs, rhs)
1732         } else { LShr(bcx, lhs, rhs) }
1733       }
1734       ast::BiEq | ast::BiNe | ast::BiLt | ast::BiGe | ast::BiLe | ast::BiGt => {
1735         if ty::type_is_scalar(rhs_t) {
1736             unpack_result!(bcx, base::compare_scalar_types(bcx, lhs, rhs, rhs_t, op))
1737         } else if is_simd {
1738             base::compare_simd_types(bcx, lhs, rhs, intype, ty::simd_size(tcx, lhs_t), op)
1739         } else {
1740             bcx.tcx().sess.span_bug(binop_expr.span, "comparison operator unsupported for type")
1741         }
1742       }
1743       _ => {
1744         bcx.tcx().sess.span_bug(binop_expr.span, "unexpected binop");
1745       }
1746     };
1747
1748     immediate_rvalue_bcx(bcx, val, binop_ty).to_expr_datumblock()
1749 }
1750
1751 // refinement types would obviate the need for this
1752 enum lazy_binop_ty {
1753     lazy_and,
1754     lazy_or,
1755 }
1756
1757 fn trans_lazy_binop<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1758                                 binop_expr: &ast::Expr,
1759                                 op: lazy_binop_ty,
1760                                 a: &ast::Expr,
1761                                 b: &ast::Expr)
1762                                 -> DatumBlock<'blk, 'tcx, Expr> {
1763     let _icx = push_ctxt("trans_lazy_binop");
1764     let binop_ty = expr_ty(bcx, binop_expr);
1765     let fcx = bcx.fcx;
1766
1767     let DatumBlock {bcx: past_lhs, datum: lhs} = trans(bcx, a);
1768     let lhs = lhs.to_llscalarish(past_lhs);
1769
1770     if past_lhs.unreachable.get() {
1771         return immediate_rvalue_bcx(past_lhs, lhs, binop_ty).to_expr_datumblock();
1772     }
1773
1774     let join = fcx.new_id_block("join", binop_expr.id);
1775     let before_rhs = fcx.new_id_block("before_rhs", b.id);
1776
1777     match op {
1778       lazy_and => CondBr(past_lhs, lhs, before_rhs.llbb, join.llbb),
1779       lazy_or => CondBr(past_lhs, lhs, join.llbb, before_rhs.llbb)
1780     }
1781
1782     let DatumBlock {bcx: past_rhs, datum: rhs} = trans(before_rhs, b);
1783     let rhs = rhs.to_llscalarish(past_rhs);
1784
1785     if past_rhs.unreachable.get() {
1786         return immediate_rvalue_bcx(join, lhs, binop_ty).to_expr_datumblock();
1787     }
1788
1789     Br(past_rhs, join.llbb);
1790     let phi = Phi(join, Type::i1(bcx.ccx()), &[lhs, rhs],
1791                   &[past_lhs.llbb, past_rhs.llbb]);
1792
1793     return immediate_rvalue_bcx(join, phi, binop_ty).to_expr_datumblock();
1794 }
1795
1796 fn trans_binary<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1797                             expr: &ast::Expr,
1798                             op: ast::BinOp,
1799                             lhs: &ast::Expr,
1800                             rhs: &ast::Expr)
1801                             -> DatumBlock<'blk, 'tcx, Expr> {
1802     let _icx = push_ctxt("trans_binary");
1803     let ccx = bcx.ccx();
1804
1805     // if overloaded, would be RvalueDpsExpr
1806     assert!(!ccx.tcx().method_map.borrow().contains_key(&MethodCall::expr(expr.id)));
1807
1808     match op {
1809         ast::BiAnd => {
1810             trans_lazy_binop(bcx, expr, lazy_and, lhs, rhs)
1811         }
1812         ast::BiOr => {
1813             trans_lazy_binop(bcx, expr, lazy_or, lhs, rhs)
1814         }
1815         _ => {
1816             let mut bcx = bcx;
1817             let lhs_datum = unpack_datum!(bcx, trans(bcx, lhs));
1818             let rhs_datum = unpack_datum!(bcx, trans(bcx, rhs));
1819             let binop_ty = expr_ty(bcx, expr);
1820
1821             debug!("trans_binary (expr {}): lhs_datum={}",
1822                    expr.id,
1823                    lhs_datum.to_string(ccx));
1824             let lhs_ty = lhs_datum.ty;
1825             let lhs = lhs_datum.to_llscalarish(bcx);
1826
1827             debug!("trans_binary (expr {}): rhs_datum={}",
1828                    expr.id,
1829                    rhs_datum.to_string(ccx));
1830             let rhs_ty = rhs_datum.ty;
1831             let rhs = rhs_datum.to_llscalarish(bcx);
1832             trans_eager_binop(bcx, expr, binop_ty, op,
1833                               lhs_ty, lhs, rhs_ty, rhs)
1834         }
1835     }
1836 }
1837
1838 fn trans_overloaded_op<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1839                                    expr: &ast::Expr,
1840                                    method_call: MethodCall,
1841                                    lhs: Datum<'tcx, Expr>,
1842                                    rhs: Vec<(Datum<'tcx, Expr>, ast::NodeId)>,
1843                                    dest: Option<Dest>,
1844                                    autoref: bool)
1845                                    -> Result<'blk, 'tcx> {
1846     let method_ty = (*bcx.tcx().method_map.borrow())[method_call].ty;
1847     callee::trans_call_inner(bcx,
1848                              Some(expr_info(expr)),
1849                              monomorphize_type(bcx, method_ty),
1850                              |bcx, arg_cleanup_scope| {
1851                                 meth::trans_method_callee(bcx,
1852                                                           method_call,
1853                                                           None,
1854                                                           arg_cleanup_scope)
1855                              },
1856                              callee::ArgOverloadedOp(lhs, rhs, autoref),
1857                              dest)
1858 }
1859
1860 fn trans_overloaded_call<'a, 'blk, 'tcx>(mut bcx: Block<'blk, 'tcx>,
1861                                          expr: &ast::Expr,
1862                                          callee: &'a ast::Expr,
1863                                          args: &'a [P<ast::Expr>],
1864                                          dest: Option<Dest>)
1865                                          -> Block<'blk, 'tcx> {
1866     let method_call = MethodCall::expr(expr.id);
1867     let method_type = (*bcx.tcx()
1868                            .method_map
1869                            .borrow())[method_call]
1870                            .ty;
1871     let mut all_args = vec!(callee);
1872     all_args.extend(args.iter().map(|e| &**e));
1873     unpack_result!(bcx,
1874                    callee::trans_call_inner(bcx,
1875                                             Some(expr_info(expr)),
1876                                             monomorphize_type(bcx,
1877                                                               method_type),
1878                                             |bcx, arg_cleanup_scope| {
1879                                                 meth::trans_method_callee(
1880                                                     bcx,
1881                                                     method_call,
1882                                                     None,
1883                                                     arg_cleanup_scope)
1884                                             },
1885                                             callee::ArgOverloadedCall(all_args),
1886                                             dest));
1887     bcx
1888 }
1889
1890 fn int_cast(bcx: Block,
1891             lldsttype: Type,
1892             llsrctype: Type,
1893             llsrc: ValueRef,
1894             signed: bool)
1895             -> ValueRef {
1896     let _icx = push_ctxt("int_cast");
1897     let srcsz = llsrctype.int_width();
1898     let dstsz = lldsttype.int_width();
1899     return if dstsz == srcsz {
1900         BitCast(bcx, llsrc, lldsttype)
1901     } else if srcsz > dstsz {
1902         TruncOrBitCast(bcx, llsrc, lldsttype)
1903     } else if signed {
1904         SExtOrBitCast(bcx, llsrc, lldsttype)
1905     } else {
1906         ZExtOrBitCast(bcx, llsrc, lldsttype)
1907     }
1908 }
1909
1910 fn float_cast(bcx: Block,
1911               lldsttype: Type,
1912               llsrctype: Type,
1913               llsrc: ValueRef)
1914               -> ValueRef {
1915     let _icx = push_ctxt("float_cast");
1916     let srcsz = llsrctype.float_width();
1917     let dstsz = lldsttype.float_width();
1918     return if dstsz > srcsz {
1919         FPExt(bcx, llsrc, lldsttype)
1920     } else if srcsz > dstsz {
1921         FPTrunc(bcx, llsrc, lldsttype)
1922     } else { llsrc };
1923 }
1924
1925 #[derive(Copy, PartialEq, Show)]
1926 pub enum cast_kind {
1927     cast_pointer,
1928     cast_integral,
1929     cast_float,
1930     cast_enum,
1931     cast_other,
1932 }
1933
1934 pub fn cast_type_kind<'tcx>(tcx: &ty::ctxt<'tcx>, t: Ty<'tcx>) -> cast_kind {
1935     match t.sty {
1936         ty::ty_char        => cast_integral,
1937         ty::ty_float(..)   => cast_float,
1938         ty::ty_rptr(_, mt) | ty::ty_ptr(mt) => {
1939             if type_is_sized(tcx, mt.ty) {
1940                 cast_pointer
1941             } else {
1942                 cast_other
1943             }
1944         }
1945         ty::ty_bare_fn(..) => cast_pointer,
1946         ty::ty_int(..)     => cast_integral,
1947         ty::ty_uint(..)    => cast_integral,
1948         ty::ty_bool        => cast_integral,
1949         ty::ty_enum(..)    => cast_enum,
1950         _                  => cast_other
1951     }
1952 }
1953
1954 fn cast_is_noop<'tcx>(t_in: Ty<'tcx>, t_out: Ty<'tcx>) -> bool {
1955     match (ty::deref(t_in, true), ty::deref(t_out, true)) {
1956         (Some(ty::mt{ ty: t_in, .. }), Some(ty::mt{ ty: t_out, .. })) => {
1957             t_in == t_out
1958         }
1959         _ => false
1960     }
1961 }
1962
1963 fn trans_imm_cast<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
1964                               expr: &ast::Expr,
1965                               id: ast::NodeId)
1966                               -> DatumBlock<'blk, 'tcx, Expr> {
1967     let _icx = push_ctxt("trans_cast");
1968     let mut bcx = bcx;
1969     let ccx = bcx.ccx();
1970
1971     let t_in = expr_ty(bcx, expr);
1972     let t_out = node_id_type(bcx, id);
1973     let k_in = cast_type_kind(bcx.tcx(), t_in);
1974     let k_out = cast_type_kind(bcx.tcx(), t_out);
1975     let s_in = k_in == cast_integral && ty::type_is_signed(t_in);
1976     let ll_t_in = type_of::arg_type_of(ccx, t_in);
1977     let ll_t_out = type_of::arg_type_of(ccx, t_out);
1978
1979     // Convert the value to be cast into a ValueRef, either by-ref or
1980     // by-value as appropriate given its type:
1981     let mut datum = unpack_datum!(bcx, trans(bcx, expr));
1982
1983     if cast_is_noop(datum.ty, t_out) {
1984         datum.ty = t_out;
1985         return DatumBlock::new(bcx, datum);
1986     }
1987
1988     let newval = match (k_in, k_out) {
1989         (cast_integral, cast_integral) => {
1990             let llexpr = datum.to_llscalarish(bcx);
1991             int_cast(bcx, ll_t_out, ll_t_in, llexpr, s_in)
1992         }
1993         (cast_float, cast_float) => {
1994             let llexpr = datum.to_llscalarish(bcx);
1995             float_cast(bcx, ll_t_out, ll_t_in, llexpr)
1996         }
1997         (cast_integral, cast_float) => {
1998             let llexpr = datum.to_llscalarish(bcx);
1999             if s_in {
2000                 SIToFP(bcx, llexpr, ll_t_out)
2001             } else { UIToFP(bcx, llexpr, ll_t_out) }
2002         }
2003         (cast_float, cast_integral) => {
2004             let llexpr = datum.to_llscalarish(bcx);
2005             if ty::type_is_signed(t_out) {
2006                 FPToSI(bcx, llexpr, ll_t_out)
2007             } else { FPToUI(bcx, llexpr, ll_t_out) }
2008         }
2009         (cast_integral, cast_pointer) => {
2010             let llexpr = datum.to_llscalarish(bcx);
2011             IntToPtr(bcx, llexpr, ll_t_out)
2012         }
2013         (cast_pointer, cast_integral) => {
2014             let llexpr = datum.to_llscalarish(bcx);
2015             PtrToInt(bcx, llexpr, ll_t_out)
2016         }
2017         (cast_pointer, cast_pointer) => {
2018             let llexpr = datum.to_llscalarish(bcx);
2019             PointerCast(bcx, llexpr, ll_t_out)
2020         }
2021         (cast_enum, cast_integral) |
2022         (cast_enum, cast_float) => {
2023             let mut bcx = bcx;
2024             let repr = adt::represent_type(ccx, t_in);
2025             let datum = unpack_datum!(
2026                 bcx, datum.to_lvalue_datum(bcx, "trans_imm_cast", expr.id));
2027             let llexpr_ptr = datum.to_llref();
2028             let lldiscrim_a =
2029                 adt::trans_get_discr(bcx, &*repr, llexpr_ptr, Some(Type::i64(ccx)));
2030             match k_out {
2031                 cast_integral => int_cast(bcx, ll_t_out,
2032                                           val_ty(lldiscrim_a),
2033                                           lldiscrim_a, true),
2034                 cast_float => SIToFP(bcx, lldiscrim_a, ll_t_out),
2035                 _ => {
2036                     ccx.sess().bug(&format!("translating unsupported cast: \
2037                                             {} ({:?}) -> {} ({:?})",
2038                                             t_in.repr(bcx.tcx()),
2039                                             k_in,
2040                                             t_out.repr(bcx.tcx()),
2041                                             k_out)[])
2042                 }
2043             }
2044         }
2045         _ => ccx.sess().bug(&format!("translating unsupported cast: \
2046                                     {} ({:?}) -> {} ({:?})",
2047                                     t_in.repr(bcx.tcx()),
2048                                     k_in,
2049                                     t_out.repr(bcx.tcx()),
2050                                     k_out)[])
2051     };
2052     return immediate_rvalue_bcx(bcx, newval, t_out).to_expr_datumblock();
2053 }
2054
2055 fn trans_assign_op<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
2056                                expr: &ast::Expr,
2057                                op: ast::BinOp,
2058                                dst: &ast::Expr,
2059                                src: &ast::Expr)
2060                                -> Block<'blk, 'tcx> {
2061     let _icx = push_ctxt("trans_assign_op");
2062     let mut bcx = bcx;
2063
2064     debug!("trans_assign_op(expr={})", bcx.expr_to_string(expr));
2065
2066     // User-defined operator methods cannot be used with `+=` etc right now
2067     assert!(!bcx.tcx().method_map.borrow().contains_key(&MethodCall::expr(expr.id)));
2068
2069     // Evaluate LHS (destination), which should be an lvalue
2070     let dst_datum = unpack_datum!(bcx, trans_to_lvalue(bcx, dst, "assign_op"));
2071     assert!(!type_needs_drop(bcx.tcx(), dst_datum.ty));
2072     let dst_ty = dst_datum.ty;
2073     let dst = load_ty(bcx, dst_datum.val, dst_datum.ty);
2074
2075     // Evaluate RHS
2076     let rhs_datum = unpack_datum!(bcx, trans(bcx, &*src));
2077     let rhs_ty = rhs_datum.ty;
2078     let rhs = rhs_datum.to_llscalarish(bcx);
2079
2080     // Perform computation and store the result
2081     let result_datum = unpack_datum!(
2082         bcx, trans_eager_binop(bcx, expr, dst_datum.ty, op,
2083                                dst_ty, dst, rhs_ty, rhs));
2084     return result_datum.store_to(bcx, dst_datum.val);
2085 }
2086
2087 fn auto_ref<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
2088                         datum: Datum<'tcx, Expr>,
2089                         expr: &ast::Expr)
2090                         -> DatumBlock<'blk, 'tcx, Expr> {
2091     let mut bcx = bcx;
2092
2093     // Ensure cleanup of `datum` if not already scheduled and obtain
2094     // a "by ref" pointer.
2095     let lv_datum = unpack_datum!(bcx, datum.to_lvalue_datum(bcx, "autoref", expr.id));
2096
2097     // Compute final type. Note that we are loose with the region and
2098     // mutability, since those things don't matter in trans.
2099     let referent_ty = lv_datum.ty;
2100     let ptr_ty = ty::mk_imm_rptr(bcx.tcx(), bcx.tcx().mk_region(ty::ReStatic), referent_ty);
2101
2102     // Get the pointer.
2103     let llref = lv_datum.to_llref();
2104
2105     // Construct the resulting datum, using what was the "by ref"
2106     // ValueRef of type `referent_ty` to be the "by value" ValueRef
2107     // of type `&referent_ty`.
2108     DatumBlock::new(bcx, Datum::new(llref, ptr_ty, RvalueExpr(Rvalue::new(ByValue))))
2109 }
2110
2111 fn deref_multiple<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
2112                               expr: &ast::Expr,
2113                               datum: Datum<'tcx, Expr>,
2114                               times: uint)
2115                               -> DatumBlock<'blk, 'tcx, Expr> {
2116     let mut bcx = bcx;
2117     let mut datum = datum;
2118     for i in range(0, times) {
2119         let method_call = MethodCall::autoderef(expr.id, i);
2120         datum = unpack_datum!(bcx, deref_once(bcx, expr, datum, method_call));
2121     }
2122     DatumBlock { bcx: bcx, datum: datum }
2123 }
2124
2125 fn deref_once<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
2126                           expr: &ast::Expr,
2127                           datum: Datum<'tcx, Expr>,
2128                           method_call: MethodCall)
2129                           -> DatumBlock<'blk, 'tcx, Expr> {
2130     let ccx = bcx.ccx();
2131
2132     debug!("deref_once(expr={}, datum={}, method_call={:?})",
2133            expr.repr(bcx.tcx()),
2134            datum.to_string(ccx),
2135            method_call);
2136
2137     let mut bcx = bcx;
2138
2139     // Check for overloaded deref.
2140     let method_ty = ccx.tcx().method_map.borrow()
2141                        .get(&method_call).map(|method| method.ty);
2142     let datum = match method_ty {
2143         Some(method_ty) => {
2144             let method_ty = monomorphize_type(bcx, method_ty);
2145
2146             // Overloaded. Evaluate `trans_overloaded_op`, which will
2147             // invoke the user's deref() method, which basically
2148             // converts from the `Smaht<T>` pointer that we have into
2149             // a `&T` pointer.  We can then proceed down the normal
2150             // path (below) to dereference that `&T`.
2151             let datum = match method_call.adjustment {
2152                 // Always perform an AutoPtr when applying an overloaded auto-deref
2153                 ty::AutoDeref(_) => unpack_datum!(bcx, auto_ref(bcx, datum, expr)),
2154                 _ => datum
2155             };
2156
2157             let ref_ty = // invoked methods have their LB regions instantiated
2158                 ty::assert_no_late_bound_regions(
2159                     ccx.tcx(), &ty::ty_fn_ret(method_ty)).unwrap();
2160             let scratch = rvalue_scratch_datum(bcx, ref_ty, "overloaded_deref");
2161
2162             unpack_result!(bcx, trans_overloaded_op(bcx, expr, method_call,
2163                                                     datum, Vec::new(), Some(SaveIn(scratch.val)),
2164                                                     false));
2165             scratch.to_expr_datum()
2166         }
2167         None => {
2168             // Not overloaded. We already have a pointer we know how to deref.
2169             datum
2170         }
2171     };
2172
2173     let r = match datum.ty.sty {
2174         ty::ty_uniq(content_ty) => {
2175             if type_is_sized(bcx.tcx(), content_ty) {
2176                 deref_owned_pointer(bcx, expr, datum, content_ty)
2177             } else {
2178                 // A fat pointer and an opened DST value have the same
2179                 // representation just different types. Since there is no
2180                 // temporary for `*e` here (because it is unsized), we cannot
2181                 // emulate the sized object code path for running drop glue and
2182                 // free. Instead, we schedule cleanup for `e`, turning it into
2183                 // an lvalue.
2184                 let datum = unpack_datum!(
2185                     bcx, datum.to_lvalue_datum(bcx, "deref", expr.id));
2186
2187                 let datum = Datum::new(datum.val, ty::mk_open(bcx.tcx(), content_ty), LvalueExpr);
2188                 DatumBlock::new(bcx, datum)
2189             }
2190         }
2191
2192         ty::ty_ptr(ty::mt { ty: content_ty, .. }) |
2193         ty::ty_rptr(_, ty::mt { ty: content_ty, .. }) => {
2194             if type_is_sized(bcx.tcx(), content_ty) {
2195                 let ptr = datum.to_llscalarish(bcx);
2196
2197                 // Always generate an lvalue datum, even if datum.mode is
2198                 // an rvalue.  This is because datum.mode is only an
2199                 // rvalue for non-owning pointers like &T or *T, in which
2200                 // case cleanup *is* scheduled elsewhere, by the true
2201                 // owner (or, in the case of *T, by the user).
2202                 DatumBlock::new(bcx, Datum::new(ptr, content_ty, LvalueExpr))
2203             } else {
2204                 // A fat pointer and an opened DST value have the same representation
2205                 // just different types.
2206                 DatumBlock::new(bcx, Datum::new(datum.val,
2207                                                 ty::mk_open(bcx.tcx(), content_ty),
2208                                                 LvalueExpr))
2209             }
2210         }
2211
2212         _ => {
2213             bcx.tcx().sess.span_bug(
2214                 expr.span,
2215                 &format!("deref invoked on expr of illegal type {}",
2216                         datum.ty.repr(bcx.tcx()))[]);
2217         }
2218     };
2219
2220     debug!("deref_once(expr={}, method_call={:?}, result={})",
2221            expr.id, method_call, r.datum.to_string(ccx));
2222
2223     return r;
2224
2225     /// We microoptimize derefs of owned pointers a bit here. Basically, the idea is to make the
2226     /// deref of an rvalue result in an rvalue. This helps to avoid intermediate stack slots in the
2227     /// resulting LLVM. The idea here is that, if the `Box<T>` pointer is an rvalue, then we can
2228     /// schedule a *shallow* free of the `Box<T>` pointer, and then return a ByRef rvalue into the
2229     /// pointer. Because the free is shallow, it is legit to return an rvalue, because we know that
2230     /// the contents are not yet scheduled to be freed. The language rules ensure that the contents
2231     /// will be used (or moved) before the free occurs.
2232     fn deref_owned_pointer<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
2233                                        expr: &ast::Expr,
2234                                        datum: Datum<'tcx, Expr>,
2235                                        content_ty: Ty<'tcx>)
2236                                        -> DatumBlock<'blk, 'tcx, Expr> {
2237         match datum.kind {
2238             RvalueExpr(Rvalue { mode: ByRef }) => {
2239                 let scope = cleanup::temporary_scope(bcx.tcx(), expr.id);
2240                 let ptr = Load(bcx, datum.val);
2241                 if !type_is_zero_size(bcx.ccx(), content_ty) {
2242                     bcx.fcx.schedule_free_value(scope, ptr, cleanup::HeapExchange, content_ty);
2243                 }
2244             }
2245             RvalueExpr(Rvalue { mode: ByValue }) => {
2246                 let scope = cleanup::temporary_scope(bcx.tcx(), expr.id);
2247                 if !type_is_zero_size(bcx.ccx(), content_ty) {
2248                     bcx.fcx.schedule_free_value(scope, datum.val, cleanup::HeapExchange,
2249                                                 content_ty);
2250                 }
2251             }
2252             LvalueExpr => { }
2253         }
2254
2255         // If we had an rvalue in, we produce an rvalue out.
2256         let (llptr, kind) = match datum.kind {
2257             LvalueExpr => {
2258                 (Load(bcx, datum.val), LvalueExpr)
2259             }
2260             RvalueExpr(Rvalue { mode: ByRef }) => {
2261                 (Load(bcx, datum.val), RvalueExpr(Rvalue::new(ByRef)))
2262             }
2263             RvalueExpr(Rvalue { mode: ByValue }) => {
2264                 (datum.val, RvalueExpr(Rvalue::new(ByRef)))
2265             }
2266         };
2267
2268         let datum = Datum { ty: content_ty, val: llptr, kind: kind };
2269         DatumBlock { bcx: bcx, datum: datum }
2270     }
2271 }