]> git.lizzy.rs Git - rust.git/blob - src/librustc/middle/trans/common.rs
auto merge of #16090 : epdtry/rust/doesnt-use-gc, r=alexcrichton
[rust.git] / src / librustc / middle / trans / common.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 #![allow(non_camel_case_types, non_snake_case_functions)]
12
13 //! Code that is useful in various trans modules.
14
15 use driver::session::Session;
16 use llvm;
17 use llvm::{ValueRef, BasicBlockRef, BuilderRef};
18 use llvm::{True, False, Bool};
19 use middle::def;
20 use middle::lang_items::LangItem;
21 use middle::subst;
22 use middle::subst::Subst;
23 use middle::trans::build;
24 use middle::trans::cleanup;
25 use middle::trans::datum;
26 use middle::trans::debuginfo;
27 use middle::trans::type_::Type;
28 use middle::ty;
29 use middle::typeck;
30 use util::ppaux::Repr;
31 use util::nodemap::NodeMap;
32
33 use arena::TypedArena;
34 use std::collections::HashMap;
35 use libc::{c_uint, c_longlong, c_ulonglong, c_char};
36 use std::c_str::ToCStr;
37 use std::cell::{Cell, RefCell};
38 use std::vec::Vec;
39 use syntax::ast::Ident;
40 use syntax::ast;
41 use syntax::ast_map::{PathElem, PathName};
42 use syntax::codemap::Span;
43 use syntax::parse::token::InternedString;
44 use syntax::parse::token;
45
46 pub use middle::trans::context::CrateContext;
47
48 fn type_is_newtype_immediate(ccx: &CrateContext, ty: ty::t) -> bool {
49     match ty::get(ty).sty {
50         ty::ty_struct(def_id, ref substs) => {
51             let fields = ty::struct_fields(ccx.tcx(), def_id, substs);
52             fields.len() == 1 &&
53                 fields.get(0).ident.name ==
54                     token::special_idents::unnamed_field.name &&
55                 type_is_immediate(ccx, fields.get(0).mt.ty)
56         }
57         _ => false
58     }
59 }
60
61 pub fn type_is_immediate(ccx: &CrateContext, ty: ty::t) -> bool {
62     use middle::trans::machine::llsize_of_alloc;
63     use middle::trans::type_of::sizing_type_of;
64     let tcx = ccx.tcx();
65     let simple = ty::type_is_scalar(ty) || ty::type_is_boxed(ty) ||
66         ty::type_is_unique(ty) || ty::type_is_region_ptr(ty) ||
67         type_is_newtype_immediate(ccx, ty) || ty::type_is_bot(ty) ||
68         ty::type_is_simd(tcx, ty);
69     if simple && !ty::type_is_trait(ty) {
70         return true;
71     }
72     match ty::get(ty).sty {
73         ty::ty_bot => true,
74         ty::ty_struct(..) | ty::ty_enum(..) | ty::ty_tup(..) |
75         ty::ty_unboxed_closure(..) => {
76             let llty = sizing_type_of(ccx, ty);
77             llsize_of_alloc(ccx, llty) <= llsize_of_alloc(ccx, ccx.int_type)
78         }
79         _ => type_is_zero_size(ccx, ty)
80     }
81 }
82
83 pub fn type_is_zero_size(ccx: &CrateContext, ty: ty::t) -> bool {
84     /*!
85      * Identify types which have size zero at runtime.
86      */
87
88     use middle::trans::machine::llsize_of_alloc;
89     use middle::trans::type_of::sizing_type_of;
90     let llty = sizing_type_of(ccx, ty);
91     llsize_of_alloc(ccx, llty) == 0
92 }
93
94 pub fn return_type_is_void(ccx: &CrateContext, ty: ty::t) -> bool {
95     /*!
96      * Identifies types which we declare to be equivalent to `void`
97      * in C for the purpose of function return types. These are
98      * `()`, bot, and uninhabited enums. Note that all such types
99      * are also zero-size, but not all zero-size types use a `void`
100      * return type (in order to aid with C ABI compatibility).
101      */
102
103     ty::type_is_nil(ty) || ty::type_is_bot(ty) || ty::type_is_empty(ccx.tcx(), ty)
104 }
105
106 /// Generates a unique symbol based off the name given. This is used to create
107 /// unique symbols for things like closures.
108 pub fn gensym_name(name: &str) -> PathElem {
109     let num = token::gensym(name);
110     // use one colon which will get translated to a period by the mangler, and
111     // we're guaranteed that `num` is globally unique for this crate.
112     PathName(token::gensym(format!("{}:{}", name, num).as_slice()))
113 }
114
115 pub struct tydesc_info {
116     pub ty: ty::t,
117     pub tydesc: ValueRef,
118     pub size: ValueRef,
119     pub align: ValueRef,
120     pub name: ValueRef,
121     pub visit_glue: Cell<Option<ValueRef>>,
122 }
123
124 /*
125  * A note on nomenclature of linking: "extern", "foreign", and "upcall".
126  *
127  * An "extern" is an LLVM symbol we wind up emitting an undefined external
128  * reference to. This means "we don't have the thing in this compilation unit,
129  * please make sure you link it in at runtime". This could be a reference to
130  * C code found in a C library, or rust code found in a rust crate.
131  *
132  * Most "externs" are implicitly declared (automatically) as a result of a
133  * user declaring an extern _module_ dependency; this causes the rust driver
134  * to locate an extern crate, scan its compilation metadata, and emit extern
135  * declarations for any symbols used by the declaring crate.
136  *
137  * A "foreign" is an extern that references C (or other non-rust ABI) code.
138  * There is no metadata to scan for extern references so in these cases either
139  * a header-digester like bindgen, or manual function prototypes, have to
140  * serve as declarators. So these are usually given explicitly as prototype
141  * declarations, in rust code, with ABI attributes on them noting which ABI to
142  * link via.
143  *
144  * An "upcall" is a foreign call generated by the compiler (not corresponding
145  * to any user-written call in the code) into the runtime library, to perform
146  * some helper task such as bringing a task to life, allocating memory, etc.
147  *
148  */
149
150 pub struct NodeInfo {
151     pub id: ast::NodeId,
152     pub span: Span,
153 }
154
155 pub fn expr_info(expr: &ast::Expr) -> NodeInfo {
156     NodeInfo { id: expr.id, span: expr.span }
157 }
158
159 pub struct BuilderRef_res {
160     pub b: BuilderRef,
161 }
162
163 impl Drop for BuilderRef_res {
164     fn drop(&mut self) {
165         unsafe {
166             llvm::LLVMDisposeBuilder(self.b);
167         }
168     }
169 }
170
171 pub fn BuilderRef_res(b: BuilderRef) -> BuilderRef_res {
172     BuilderRef_res {
173         b: b
174     }
175 }
176
177 pub type ExternMap = HashMap<String, ValueRef>;
178
179 // Here `self_ty` is the real type of the self parameter to this method. It
180 // will only be set in the case of default methods.
181 pub struct param_substs {
182     pub substs: subst::Substs,
183     pub vtables: typeck::vtable_res,
184 }
185
186 impl param_substs {
187     pub fn empty() -> param_substs {
188         param_substs {
189             substs: subst::Substs::trans_empty(),
190             vtables: subst::VecPerParamSpace::empty(),
191         }
192     }
193
194     pub fn validate(&self) {
195         assert!(self.substs.types.all(|t| !ty::type_needs_infer(*t)));
196     }
197 }
198
199 fn param_substs_to_string(this: &param_substs, tcx: &ty::ctxt) -> String {
200     format!("param_substs({})", this.substs.repr(tcx))
201 }
202
203 impl Repr for param_substs {
204     fn repr(&self, tcx: &ty::ctxt) -> String {
205         param_substs_to_string(self, tcx)
206     }
207 }
208
209 pub trait SubstP {
210     fn substp(&self, tcx: &ty::ctxt, param_substs: &param_substs)
211               -> Self;
212 }
213
214 impl<T:Subst+Clone> SubstP for T {
215     fn substp(&self, tcx: &ty::ctxt, substs: &param_substs) -> T {
216         self.subst(tcx, &substs.substs)
217     }
218 }
219
220 // work around bizarre resolve errors
221 pub type RvalueDatum = datum::Datum<datum::Rvalue>;
222 pub type LvalueDatum = datum::Datum<datum::Lvalue>;
223
224 #[deriving(Clone, Eq, PartialEq)]
225 pub enum HandleItemsFlag {
226     IgnoreItems,
227     TranslateItems,
228 }
229
230 // Function context.  Every LLVM function we create will have one of
231 // these.
232 pub struct FunctionContext<'a> {
233     // The ValueRef returned from a call to llvm::LLVMAddFunction; the
234     // address of the first instruction in the sequence of
235     // instructions for this function that will go in the .text
236     // section of the executable we're generating.
237     pub llfn: ValueRef,
238
239     // The environment argument in a closure.
240     pub llenv: Option<ValueRef>,
241
242     // The place to store the return value. If the return type is immediate,
243     // this is an alloca in the function. Otherwise, it's the hidden first
244     // parameter to the function. After function construction, this should
245     // always be Some.
246     pub llretptr: Cell<Option<ValueRef>>,
247
248     // These pub elements: "hoisted basic blocks" containing
249     // administrative activities that have to happen in only one place in
250     // the function, due to LLVM's quirks.
251     // A marker for the place where we want to insert the function's static
252     // allocas, so that LLVM will coalesce them into a single alloca call.
253     pub alloca_insert_pt: Cell<Option<ValueRef>>,
254     pub llreturn: Cell<Option<BasicBlockRef>>,
255
256     // The a value alloca'd for calls to upcalls.rust_personality. Used when
257     // outputting the resume instruction.
258     pub personality: Cell<Option<ValueRef>>,
259
260     // True if the caller expects this fn to use the out pointer to
261     // return. Either way, your code should write into llretptr, but if
262     // this value is false, llretptr will be a local alloca.
263     pub caller_expects_out_pointer: bool,
264
265     // Maps arguments to allocas created for them in llallocas.
266     pub llargs: RefCell<NodeMap<LvalueDatum>>,
267
268     // Maps the def_ids for local variables to the allocas created for
269     // them in llallocas.
270     pub lllocals: RefCell<NodeMap<LvalueDatum>>,
271
272     // Same as above, but for closure upvars
273     pub llupvars: RefCell<NodeMap<ValueRef>>,
274
275     // The NodeId of the function, or -1 if it doesn't correspond to
276     // a user-defined function.
277     pub id: ast::NodeId,
278
279     // If this function is being monomorphized, this contains the type
280     // substitutions used.
281     pub param_substs: &'a param_substs,
282
283     // The source span and nesting context where this function comes from, for
284     // error reporting and symbol generation.
285     pub span: Option<Span>,
286
287     // The arena that blocks are allocated from.
288     pub block_arena: &'a TypedArena<Block<'a>>,
289
290     // This function's enclosing crate context.
291     pub ccx: &'a CrateContext,
292
293     // Used and maintained by the debuginfo module.
294     pub debug_context: debuginfo::FunctionDebugContext,
295
296     // Cleanup scopes.
297     pub scopes: RefCell<Vec<cleanup::CleanupScope<'a>> >,
298
299     // How to handle items encountered during translation of this function.
300     pub handle_items: HandleItemsFlag,
301 }
302
303 impl<'a> FunctionContext<'a> {
304     pub fn arg_pos(&self, arg: uint) -> uint {
305         let arg = self.env_arg_pos() + arg;
306         if self.llenv.is_some() {
307             arg + 1
308         } else {
309             arg
310         }
311     }
312
313     pub fn out_arg_pos(&self) -> uint {
314         assert!(self.caller_expects_out_pointer);
315         0u
316     }
317
318     pub fn env_arg_pos(&self) -> uint {
319         if self.caller_expects_out_pointer {
320             1u
321         } else {
322             0u
323         }
324     }
325
326     pub fn cleanup(&self) {
327         unsafe {
328             llvm::LLVMInstructionEraseFromParent(self.alloca_insert_pt
329                                                      .get()
330                                                      .unwrap());
331         }
332     }
333
334     pub fn get_llreturn(&self) -> BasicBlockRef {
335         if self.llreturn.get().is_none() {
336
337             self.llreturn.set(Some(unsafe {
338                 "return".with_c_str(|buf| {
339                     llvm::LLVMAppendBasicBlockInContext(self.ccx.llcx, self.llfn, buf)
340                 })
341             }))
342         }
343
344         self.llreturn.get().unwrap()
345     }
346
347     pub fn new_block(&'a self,
348                      is_lpad: bool,
349                      name: &str,
350                      opt_node_id: Option<ast::NodeId>)
351                      -> &'a Block<'a> {
352         unsafe {
353             let llbb = name.with_c_str(|buf| {
354                     llvm::LLVMAppendBasicBlockInContext(self.ccx.llcx,
355                                                         self.llfn,
356                                                         buf)
357                 });
358             Block::new(llbb, is_lpad, opt_node_id, self)
359         }
360     }
361
362     pub fn new_id_block(&'a self,
363                         name: &str,
364                         node_id: ast::NodeId)
365                         -> &'a Block<'a> {
366         self.new_block(false, name, Some(node_id))
367     }
368
369     pub fn new_temp_block(&'a self,
370                           name: &str)
371                           -> &'a Block<'a> {
372         self.new_block(false, name, None)
373     }
374
375     pub fn join_blocks(&'a self,
376                        id: ast::NodeId,
377                        in_cxs: &[&'a Block<'a>])
378                        -> &'a Block<'a> {
379         let out = self.new_id_block("join", id);
380         let mut reachable = false;
381         for bcx in in_cxs.iter() {
382             if !bcx.unreachable.get() {
383                 build::Br(*bcx, out.llbb);
384                 reachable = true;
385             }
386         }
387         if !reachable {
388             build::Unreachable(out);
389         }
390         return out;
391     }
392 }
393
394 // Basic block context.  We create a block context for each basic block
395 // (single-entry, single-exit sequence of instructions) we generate from Rust
396 // code.  Each basic block we generate is attached to a function, typically
397 // with many basic blocks per function.  All the basic blocks attached to a
398 // function are organized as a directed graph.
399 pub struct Block<'a> {
400     // The BasicBlockRef returned from a call to
401     // llvm::LLVMAppendBasicBlock(llfn, name), which adds a basic
402     // block to the function pointed to by llfn.  We insert
403     // instructions into that block by way of this block context.
404     // The block pointing to this one in the function's digraph.
405     pub llbb: BasicBlockRef,
406     pub terminated: Cell<bool>,
407     pub unreachable: Cell<bool>,
408
409     // Is this block part of a landing pad?
410     pub is_lpad: bool,
411
412     // AST node-id associated with this block, if any. Used for
413     // debugging purposes only.
414     pub opt_node_id: Option<ast::NodeId>,
415
416     // The function context for the function to which this block is
417     // attached.
418     pub fcx: &'a FunctionContext<'a>,
419 }
420
421 impl<'a> Block<'a> {
422     pub fn new<'a>(
423                llbb: BasicBlockRef,
424                is_lpad: bool,
425                opt_node_id: Option<ast::NodeId>,
426                fcx: &'a FunctionContext<'a>)
427                -> &'a Block<'a> {
428         fcx.block_arena.alloc(Block {
429             llbb: llbb,
430             terminated: Cell::new(false),
431             unreachable: Cell::new(false),
432             is_lpad: is_lpad,
433             opt_node_id: opt_node_id,
434             fcx: fcx
435         })
436     }
437
438     pub fn ccx(&self) -> &'a CrateContext { self.fcx.ccx }
439     pub fn tcx(&self) -> &'a ty::ctxt {
440         &self.fcx.ccx.tcx
441     }
442     pub fn sess(&self) -> &'a Session { self.fcx.ccx.sess() }
443
444     pub fn ident(&self, ident: Ident) -> String {
445         token::get_ident(ident).get().to_string()
446     }
447
448     pub fn node_id_to_string(&self, id: ast::NodeId) -> String {
449         self.tcx().map.node_to_string(id).to_string()
450     }
451
452     pub fn expr_to_string(&self, e: &ast::Expr) -> String {
453         e.repr(self.tcx())
454     }
455
456     pub fn def(&self, nid: ast::NodeId) -> def::Def {
457         match self.tcx().def_map.borrow().find(&nid) {
458             Some(&v) => v,
459             None => {
460                 self.tcx().sess.bug(format!(
461                     "no def associated with node id {:?}", nid).as_slice());
462             }
463         }
464     }
465
466     pub fn val_to_string(&self, val: ValueRef) -> String {
467         self.ccx().tn.val_to_string(val)
468     }
469
470     pub fn llty_str(&self, ty: Type) -> String {
471         self.ccx().tn.type_to_string(ty)
472     }
473
474     pub fn ty_to_string(&self, t: ty::t) -> String {
475         t.repr(self.tcx())
476     }
477
478     pub fn to_str(&self) -> String {
479         let blk: *const Block = self;
480         format!("[block {}]", blk)
481     }
482 }
483
484 pub struct Result<'a> {
485     pub bcx: &'a Block<'a>,
486     pub val: ValueRef
487 }
488
489 impl<'a> Result<'a> {
490     pub fn new(bcx: &'a Block<'a>, val: ValueRef) -> Result<'a> {
491         Result {
492             bcx: bcx,
493             val: val,
494         }
495     }
496 }
497
498 pub fn val_ty(v: ValueRef) -> Type {
499     unsafe {
500         Type::from_ref(llvm::LLVMTypeOf(v))
501     }
502 }
503
504 // LLVM constant constructors.
505 pub fn C_null(t: Type) -> ValueRef {
506     unsafe {
507         llvm::LLVMConstNull(t.to_ref())
508     }
509 }
510
511 pub fn C_undef(t: Type) -> ValueRef {
512     unsafe {
513         llvm::LLVMGetUndef(t.to_ref())
514     }
515 }
516
517 pub fn C_integral(t: Type, u: u64, sign_extend: bool) -> ValueRef {
518     unsafe {
519         llvm::LLVMConstInt(t.to_ref(), u, sign_extend as Bool)
520     }
521 }
522
523 pub fn C_floating(s: &str, t: Type) -> ValueRef {
524     unsafe {
525         s.with_c_str(|buf| llvm::LLVMConstRealOfString(t.to_ref(), buf))
526     }
527 }
528
529 pub fn C_nil(ccx: &CrateContext) -> ValueRef {
530     C_struct(ccx, [], false)
531 }
532
533 pub fn C_bool(ccx: &CrateContext, val: bool) -> ValueRef {
534     C_integral(Type::i1(ccx), val as u64, false)
535 }
536
537 pub fn C_i32(ccx: &CrateContext, i: i32) -> ValueRef {
538     C_integral(Type::i32(ccx), i as u64, true)
539 }
540
541 pub fn C_i64(ccx: &CrateContext, i: i64) -> ValueRef {
542     C_integral(Type::i64(ccx), i as u64, true)
543 }
544
545 pub fn C_u64(ccx: &CrateContext, i: u64) -> ValueRef {
546     C_integral(Type::i64(ccx), i, false)
547 }
548
549 pub fn C_int(ccx: &CrateContext, i: int) -> ValueRef {
550     C_integral(ccx.int_type, i as u64, true)
551 }
552
553 pub fn C_uint(ccx: &CrateContext, i: uint) -> ValueRef {
554     C_integral(ccx.int_type, i as u64, false)
555 }
556
557 pub fn C_u8(ccx: &CrateContext, i: uint) -> ValueRef {
558     C_integral(Type::i8(ccx), i as u64, false)
559 }
560
561
562 // This is a 'c-like' raw string, which differs from
563 // our boxed-and-length-annotated strings.
564 pub fn C_cstr(cx: &CrateContext, s: InternedString, null_terminated: bool) -> ValueRef {
565     unsafe {
566         match cx.const_cstr_cache.borrow().find(&s) {
567             Some(&llval) => return llval,
568             None => ()
569         }
570
571         let sc = llvm::LLVMConstStringInContext(cx.llcx,
572                                                 s.get().as_ptr() as *const c_char,
573                                                 s.get().len() as c_uint,
574                                                 !null_terminated as Bool);
575
576         let gsym = token::gensym("str");
577         let g = format!("str{}", gsym).with_c_str(|buf| {
578             llvm::LLVMAddGlobal(cx.llmod, val_ty(sc).to_ref(), buf)
579         });
580         llvm::LLVMSetInitializer(g, sc);
581         llvm::LLVMSetGlobalConstant(g, True);
582         llvm::SetLinkage(g, llvm::InternalLinkage);
583
584         cx.const_cstr_cache.borrow_mut().insert(s, g);
585         g
586     }
587 }
588
589 // NB: Do not use `do_spill_noroot` to make this into a constant string, or
590 // you will be kicked off fast isel. See issue #4352 for an example of this.
591 pub fn C_str_slice(cx: &CrateContext, s: InternedString) -> ValueRef {
592     unsafe {
593         let len = s.get().len();
594         let cs = llvm::LLVMConstPointerCast(C_cstr(cx, s, false),
595                                             Type::i8p(cx).to_ref());
596         C_named_struct(cx.tn.find_type("str_slice").unwrap(), [cs, C_uint(cx, len)])
597     }
598 }
599
600 pub fn C_binary_slice(cx: &CrateContext, data: &[u8]) -> ValueRef {
601     unsafe {
602         let len = data.len();
603         let lldata = C_bytes(cx, data);
604
605         let gsym = token::gensym("binary");
606         let g = format!("binary{}", gsym).with_c_str(|buf| {
607             llvm::LLVMAddGlobal(cx.llmod, val_ty(lldata).to_ref(), buf)
608         });
609         llvm::LLVMSetInitializer(g, lldata);
610         llvm::LLVMSetGlobalConstant(g, True);
611         llvm::SetLinkage(g, llvm::InternalLinkage);
612
613         let cs = llvm::LLVMConstPointerCast(g, Type::i8p(cx).to_ref());
614         C_struct(cx, [cs, C_uint(cx, len)], false)
615     }
616 }
617
618 pub fn C_struct(ccx: &CrateContext, elts: &[ValueRef], packed: bool) -> ValueRef {
619     unsafe {
620         llvm::LLVMConstStructInContext(ccx.llcx,
621                                        elts.as_ptr(), elts.len() as c_uint,
622                                        packed as Bool)
623     }
624 }
625
626 pub fn C_named_struct(t: Type, elts: &[ValueRef]) -> ValueRef {
627     unsafe {
628         llvm::LLVMConstNamedStruct(t.to_ref(), elts.as_ptr(), elts.len() as c_uint)
629     }
630 }
631
632 pub fn C_array(ty: Type, elts: &[ValueRef]) -> ValueRef {
633     unsafe {
634         return llvm::LLVMConstArray(ty.to_ref(), elts.as_ptr(), elts.len() as c_uint);
635     }
636 }
637
638 pub fn C_bytes(ccx: &CrateContext, bytes: &[u8]) -> ValueRef {
639     unsafe {
640         let ptr = bytes.as_ptr() as *const c_char;
641         return llvm::LLVMConstStringInContext(ccx.llcx, ptr, bytes.len() as c_uint, True);
642     }
643 }
644
645 pub fn const_get_elt(cx: &CrateContext, v: ValueRef, us: &[c_uint])
646                   -> ValueRef {
647     unsafe {
648         let r = llvm::LLVMConstExtractValue(v, us.as_ptr(), us.len() as c_uint);
649
650         debug!("const_get_elt(v={}, us={:?}, r={})",
651                cx.tn.val_to_string(v), us, cx.tn.val_to_string(r));
652
653         return r;
654     }
655 }
656
657 pub fn is_const(v: ValueRef) -> bool {
658     unsafe {
659         llvm::LLVMIsConstant(v) == True
660     }
661 }
662
663 pub fn const_to_int(v: ValueRef) -> c_longlong {
664     unsafe {
665         llvm::LLVMConstIntGetSExtValue(v)
666     }
667 }
668
669 pub fn const_to_uint(v: ValueRef) -> c_ulonglong {
670     unsafe {
671         llvm::LLVMConstIntGetZExtValue(v)
672     }
673 }
674
675 pub fn is_undef(val: ValueRef) -> bool {
676     unsafe {
677         llvm::LLVMIsUndef(val) != False
678     }
679 }
680
681 pub fn is_null(val: ValueRef) -> bool {
682     unsafe {
683         llvm::LLVMIsNull(val) != False
684     }
685 }
686
687 pub fn monomorphize_type(bcx: &Block, t: ty::t) -> ty::t {
688     t.subst(bcx.tcx(), &bcx.fcx.param_substs.substs)
689 }
690
691 pub fn node_id_type(bcx: &Block, id: ast::NodeId) -> ty::t {
692     let tcx = bcx.tcx();
693     let t = ty::node_id_to_type(tcx, id);
694     monomorphize_type(bcx, t)
695 }
696
697 pub fn expr_ty(bcx: &Block, ex: &ast::Expr) -> ty::t {
698     node_id_type(bcx, ex.id)
699 }
700
701 pub fn expr_ty_adjusted(bcx: &Block, ex: &ast::Expr) -> ty::t {
702     monomorphize_type(bcx, ty::expr_ty_adjusted(bcx.tcx(), ex))
703 }
704
705 // Key used to lookup values supplied for type parameters in an expr.
706 #[deriving(PartialEq)]
707 pub enum ExprOrMethodCall {
708     // Type parameters for a path like `None::<int>`
709     ExprId(ast::NodeId),
710
711     // Type parameters for a method call like `a.foo::<int>()`
712     MethodCall(typeck::MethodCall)
713 }
714
715 pub fn node_id_substs(bcx: &Block,
716                       node: ExprOrMethodCall)
717                       -> subst::Substs {
718     let tcx = bcx.tcx();
719
720     let substs = match node {
721         ExprId(id) => {
722             ty::node_id_item_substs(tcx, id).substs
723         }
724         MethodCall(method_call) => {
725             tcx.method_map.borrow().get(&method_call).substs.clone()
726         }
727     };
728
729     if substs.types.any(|t| ty::type_needs_infer(*t)) {
730         bcx.sess().bug(
731             format!("type parameters for node {:?} include inference types: \
732                      {}",
733                     node,
734                     substs.repr(bcx.tcx())).as_slice());
735     }
736
737     substs.substp(tcx, bcx.fcx.param_substs)
738 }
739
740 pub fn node_vtables(bcx: &Block, id: typeck::MethodCall)
741                  -> typeck::vtable_res {
742     bcx.tcx().vtable_map.borrow().find(&id).map(|vts| {
743         resolve_vtables_in_fn_ctxt(bcx.fcx, vts)
744     }).unwrap_or_else(|| subst::VecPerParamSpace::empty())
745 }
746
747 // Apply the typaram substitutions in the FunctionContext to some
748 // vtables. This should eliminate any vtable_params.
749 pub fn resolve_vtables_in_fn_ctxt(fcx: &FunctionContext,
750                                   vts: &typeck::vtable_res)
751                                   -> typeck::vtable_res {
752     resolve_vtables_under_param_substs(fcx.ccx.tcx(),
753                                        fcx.param_substs,
754                                        vts)
755 }
756
757 pub fn resolve_vtables_under_param_substs(tcx: &ty::ctxt,
758                                           param_substs: &param_substs,
759                                           vts: &typeck::vtable_res)
760                                           -> typeck::vtable_res
761 {
762     vts.map(|ds| {
763         resolve_param_vtables_under_param_substs(tcx,
764                                                  param_substs,
765                                                  ds)
766     })
767 }
768
769 pub fn resolve_param_vtables_under_param_substs(tcx: &ty::ctxt,
770                                                 param_substs: &param_substs,
771                                                 ds: &typeck::vtable_param_res)
772                                                 -> typeck::vtable_param_res
773 {
774     ds.iter().map(|d| {
775         resolve_vtable_under_param_substs(tcx,
776                                           param_substs,
777                                           d)
778     }).collect()
779 }
780
781
782
783 pub fn resolve_vtable_under_param_substs(tcx: &ty::ctxt,
784                                          param_substs: &param_substs,
785                                          vt: &typeck::vtable_origin)
786                                          -> typeck::vtable_origin
787 {
788     match *vt {
789         typeck::vtable_static(trait_id, ref vtable_substs, ref sub) => {
790             let vtable_substs = vtable_substs.substp(tcx, param_substs);
791             typeck::vtable_static(
792                 trait_id,
793                 vtable_substs,
794                 resolve_vtables_under_param_substs(tcx, param_substs, sub))
795         }
796         typeck::vtable_param(n_param, n_bound) => {
797             find_vtable(tcx, param_substs, n_param, n_bound)
798         }
799         typeck::vtable_unboxed_closure(def_id) => {
800             typeck::vtable_unboxed_closure(def_id)
801         }
802         typeck::vtable_error => typeck::vtable_error
803     }
804 }
805
806 pub fn find_vtable(tcx: &ty::ctxt,
807                    ps: &param_substs,
808                    n_param: typeck::param_index,
809                    n_bound: uint)
810                    -> typeck::vtable_origin {
811     debug!("find_vtable(n_param={:?}, n_bound={}, ps={})",
812            n_param, n_bound, ps.repr(tcx));
813
814     let param_bounds = ps.vtables.get(n_param.space,
815                                       n_param.index);
816     param_bounds.get(n_bound).clone()
817 }
818
819 pub fn langcall(bcx: &Block,
820                 span: Option<Span>,
821                 msg: &str,
822                 li: LangItem)
823                 -> ast::DefId {
824     match bcx.tcx().lang_items.require(li) {
825         Ok(id) => id,
826         Err(s) => {
827             let msg = format!("{} {}", msg, s);
828             match span {
829                 Some(span) => bcx.tcx().sess.span_fatal(span, msg.as_slice()),
830                 None => bcx.tcx().sess.fatal(msg.as_slice()),
831             }
832         }
833     }
834 }