]> git.proxmox.com Git - rustc.git/blame - src/librustc_trans/debuginfo/mod.rs
Imported Upstream version 1.9.0+dfsg1
[rustc.git] / src / librustc_trans / debuginfo / mod.rs
CommitLineData
d9579d0f
AL
1// Copyright 2012-2015 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// See doc.rs for documentation.
12mod doc;
13
14use self::VariableAccess::*;
15use self::VariableKind::*;
16
17use self::utils::{DIB, span_start, assert_type_for_node_id, contains_nodebug_attribute,
18 create_DIArray, is_node_local_to_unit};
19use self::namespace::{namespace_for_item, NamespaceTreeNode};
20use self::type_names::compute_debuginfo_type_name;
c1a9b12d
SL
21use self::metadata::{type_metadata, diverging_type_metadata};
22use self::metadata::{file_metadata, scope_metadata, TypeMap, compile_unit_metadata};
d9579d0f
AL
23use self::source_loc::InternalDebugLocation;
24
25use llvm;
26use llvm::{ModuleRef, ContextRef, ValueRef};
27use llvm::debuginfo::{DIFile, DIType, DIScope, DIBuilderRef, DISubprogram, DIArray,
28 DIDescriptor, FlagPrototyped};
54a0048b
SL
29use rustc::hir::def_id::DefId;
30use rustc::infer::normalize_associated_type;
31use rustc::ty::subst::{self, Substs};
32use rustc::hir;
33
34use abi::Abi;
35use common::{NodeIdAndSpan, CrateContext, FunctionContext, Block};
36use monomorphize;
37use rustc::infer;
38use rustc::ty::{self, Ty};
d9579d0f 39use session::config::{self, FullDebugInfo, LimitedDebugInfo, NoDebugInfo};
c1a9b12d 40use util::nodemap::{NodeMap, FnvHashMap, FnvHashSet};
54a0048b 41use rustc::hir::map as hir_map;
d9579d0f
AL
42
43use libc::c_uint;
44use std::cell::{Cell, RefCell};
45use std::ffi::CString;
46use std::ptr;
47use std::rc::Rc;
e9174d1e 48
d9579d0f 49use syntax::codemap::{Span, Pos};
7453a54e 50use syntax::{ast, codemap};
b039eaaf 51use syntax::attr::IntType;
d9579d0f
AL
52use syntax::parse::token::{self, special_idents};
53
54pub mod gdb;
55mod utils;
56mod namespace;
57mod type_names;
58mod metadata;
59mod create_scope_map;
60mod source_loc;
61
62pub use self::source_loc::set_source_location;
63pub use self::source_loc::clear_source_location;
64pub use self::source_loc::start_emitting_source_locations;
65pub use self::source_loc::get_cleanup_debug_loc_for_ast_node;
66pub use self::source_loc::with_source_location_override;
67pub use self::metadata::create_match_binding_metadata;
68pub use self::metadata::create_argument_metadata;
69pub use self::metadata::create_captured_var_metadata;
70pub use self::metadata::create_global_var_metadata;
71pub use self::metadata::create_local_var_metadata;
72
73#[allow(non_upper_case_globals)]
74const DW_TAG_auto_variable: c_uint = 0x100;
75#[allow(non_upper_case_globals)]
76const DW_TAG_arg_variable: c_uint = 0x101;
77
78/// A context object for maintaining all state needed by the debuginfo module.
79pub struct CrateDebugContext<'tcx> {
80 llcontext: ContextRef,
81 builder: DIBuilderRef,
82 current_debug_location: Cell<InternalDebugLocation>,
83 created_files: RefCell<FnvHashMap<String, DIFile>>,
e9174d1e 84 created_enum_disr_types: RefCell<FnvHashMap<(DefId, IntType), DIType>>,
d9579d0f
AL
85
86 type_map: RefCell<TypeMap<'tcx>>,
87 namespace_map: RefCell<FnvHashMap<Vec<ast::Name>, Rc<NamespaceTreeNode>>>,
88
89 // This collection is used to assert that composite types (structs, enums,
90 // ...) have their members only set once:
91 composite_types_completed: RefCell<FnvHashSet<DIType>>,
92}
93
94impl<'tcx> CrateDebugContext<'tcx> {
95 pub fn new(llmod: ModuleRef) -> CrateDebugContext<'tcx> {
96 debug!("CrateDebugContext::new");
97 let builder = unsafe { llvm::LLVMDIBuilderCreate(llmod) };
98 // DIBuilder inherits context from the module, so we'd better use the same one
99 let llcontext = unsafe { llvm::LLVMGetModuleContext(llmod) };
100 return CrateDebugContext {
101 llcontext: llcontext,
102 builder: builder,
103 current_debug_location: Cell::new(InternalDebugLocation::UnknownLocation),
104 created_files: RefCell::new(FnvHashMap()),
c1a9b12d 105 created_enum_disr_types: RefCell::new(FnvHashMap()),
d9579d0f
AL
106 type_map: RefCell::new(TypeMap::new()),
107 namespace_map: RefCell::new(FnvHashMap()),
108 composite_types_completed: RefCell::new(FnvHashSet()),
109 };
110 }
111}
112
113pub enum FunctionDebugContext {
114 RegularContext(Box<FunctionDebugContextData>),
115 DebugInfoDisabled,
116 FunctionWithoutDebugInfo,
117}
118
119impl FunctionDebugContext {
120 fn get_ref<'a>(&'a self,
d9579d0f
AL
121 span: Span)
122 -> &'a FunctionDebugContextData {
123 match *self {
124 FunctionDebugContext::RegularContext(box ref data) => data,
125 FunctionDebugContext::DebugInfoDisabled => {
54a0048b
SL
126 span_bug!(span,
127 "{}",
128 FunctionDebugContext::debuginfo_disabled_message());
d9579d0f
AL
129 }
130 FunctionDebugContext::FunctionWithoutDebugInfo => {
54a0048b
SL
131 span_bug!(span,
132 "{}",
133 FunctionDebugContext::should_be_ignored_message());
d9579d0f
AL
134 }
135 }
136 }
137
138 fn debuginfo_disabled_message() -> &'static str {
139 "debuginfo: Error trying to access FunctionDebugContext although debug info is disabled!"
140 }
141
142 fn should_be_ignored_message() -> &'static str {
143 "debuginfo: Error trying to access FunctionDebugContext for function that should be \
144 ignored by debug info!"
145 }
146}
147
9cc50fc6 148pub struct FunctionDebugContextData {
d9579d0f
AL
149 scope_map: RefCell<NodeMap<DIScope>>,
150 fn_metadata: DISubprogram,
151 argument_counter: Cell<usize>,
152 source_locations_enabled: Cell<bool>,
153 source_location_override: Cell<bool>,
154}
155
156pub enum VariableAccess<'a> {
157 // The llptr given is an alloca containing the variable's value
158 DirectVariable { alloca: ValueRef },
159 // The llptr given is an alloca containing the start of some pointer chain
160 // leading to the variable's content.
161 IndirectVariable { alloca: ValueRef, address_operations: &'a [i64] }
162}
163
164pub enum VariableKind {
165 ArgumentVariable(usize /*index*/),
166 LocalVariable,
167 CapturedVariable,
168}
169
170/// Create any deferred debug metadata nodes
171pub fn finalize(cx: &CrateContext) {
172 if cx.dbg_cx().is_none() {
173 return;
174 }
175
176 debug!("finalize");
177 let _ = compile_unit_metadata(cx);
178
179 if gdb::needs_gdb_debug_scripts_section(cx) {
180 // Add a .debug_gdb_scripts section to this compile-unit. This will
181 // cause GDB to try and load the gdb_load_rust_pretty_printers.py file,
182 // which activates the Rust pretty printers for binary this section is
183 // contained in.
184 gdb::get_or_insert_gdb_debug_scripts_section_global(cx);
185 }
186
187 unsafe {
188 llvm::LLVMDIBuilderFinalize(DIB(cx));
189 llvm::LLVMDIBuilderDispose(DIB(cx));
190 // Debuginfo generation in LLVM by default uses a higher
191 // version of dwarf than OS X currently understands. We can
192 // instruct LLVM to emit an older version of dwarf, however,
193 // for OS X to understand. For more info see #11352
194 // This can be overridden using --llvm-opts -dwarf-version,N.
195 // Android has the same issue (#22398)
196 if cx.sess().target.target.options.is_like_osx ||
197 cx.sess().target.target.options.is_like_android {
198 llvm::LLVMRustAddModuleFlag(cx.llmod(),
199 "Dwarf Version\0".as_ptr() as *const _,
200 2)
201 }
202
7453a54e
SL
203 // Indicate that we want CodeView debug information on MSVC
204 if cx.sess().target.target.options.is_like_msvc {
205 llvm::LLVMRustAddModuleFlag(cx.llmod(),
206 "CodeView\0".as_ptr() as *const _,
207 1)
208 }
209
d9579d0f
AL
210 // Prevent bitcode readers from deleting the debug info.
211 let ptr = "Debug Info Version\0".as_ptr();
212 llvm::LLVMRustAddModuleFlag(cx.llmod(), ptr as *const _,
62682a34 213 llvm::LLVMRustDebugMetadataVersion());
d9579d0f
AL
214 };
215}
216
217/// Creates the function-specific debug context.
218///
219/// Returns the FunctionDebugContext for the function which holds state needed
220/// for debug info creation. The function may also return another variant of the
221/// FunctionDebugContext enum which indicates why no debuginfo should be created
222/// for the function.
223pub fn create_function_debug_context<'a, 'tcx>(cx: &CrateContext<'a, 'tcx>,
224 fn_ast_id: ast::NodeId,
225 param_substs: &Substs<'tcx>,
226 llfn: ValueRef) -> FunctionDebugContext {
227 if cx.sess().opts.debuginfo == NoDebugInfo {
228 return FunctionDebugContext::DebugInfoDisabled;
229 }
230
231 // Clear the debug location so we don't assign them in the function prelude.
232 // Do this here already, in case we do an early exit from this function.
233 source_loc::set_debug_location(cx, InternalDebugLocation::UnknownLocation);
234
235 if fn_ast_id == ast::DUMMY_NODE_ID {
236 // This is a function not linked to any source location, so don't
237 // generate debuginfo for it.
238 return FunctionDebugContext::FunctionWithoutDebugInfo;
239 }
240
54a0048b 241 let empty_generics = hir::Generics::empty();
d9579d0f
AL
242
243 let fnitem = cx.tcx().map.get(fn_ast_id);
244
245 let (name, fn_decl, generics, top_level_block, span, has_path) = match fnitem {
e9174d1e 246 hir_map::NodeItem(ref item) => {
d9579d0f
AL
247 if contains_nodebug_attribute(&item.attrs) {
248 return FunctionDebugContext::FunctionWithoutDebugInfo;
249 }
250
251 match item.node {
e9174d1e 252 hir::ItemFn(ref fn_decl, _, _, _, ref generics, ref top_level_block) => {
b039eaaf 253 (item.name, fn_decl, generics, top_level_block, item.span, true)
d9579d0f
AL
254 }
255 _ => {
54a0048b 256 span_bug!(item.span,
d9579d0f
AL
257 "create_function_debug_context: item bound to non-function");
258 }
259 }
260 }
e9174d1e 261 hir_map::NodeImplItem(impl_item) => {
d9579d0f 262 match impl_item.node {
92a42be0 263 hir::ImplItemKind::Method(ref sig, ref body) => {
d9579d0f
AL
264 if contains_nodebug_attribute(&impl_item.attrs) {
265 return FunctionDebugContext::FunctionWithoutDebugInfo;
266 }
267
b039eaaf 268 (impl_item.name,
d9579d0f
AL
269 &sig.decl,
270 &sig.generics,
271 body,
272 impl_item.span,
273 true)
274 }
275 _ => {
54a0048b
SL
276 span_bug!(impl_item.span,
277 "create_function_debug_context() \
278 called on non-method impl item?!")
d9579d0f
AL
279 }
280 }
281 }
e9174d1e 282 hir_map::NodeExpr(ref expr) => {
d9579d0f 283 match expr.node {
e9174d1e 284 hir::ExprClosure(_, ref fn_decl, ref top_level_block) => {
d9579d0f
AL
285 let name = format!("fn{}", token::gensym("fn"));
286 let name = token::intern(&name[..]);
287 (name, fn_decl,
288 // This is not quite right. It should actually inherit
289 // the generics of the enclosing function.
290 &empty_generics,
291 top_level_block,
292 expr.span,
293 // Don't try to lookup the item path:
294 false)
295 }
54a0048b 296 _ => span_bug!(expr.span,
d9579d0f
AL
297 "create_function_debug_context: expected an expr_fn_block here")
298 }
299 }
e9174d1e 300 hir_map::NodeTraitItem(trait_item) => {
d9579d0f 301 match trait_item.node {
e9174d1e 302 hir::MethodTraitItem(ref sig, Some(ref body)) => {
d9579d0f
AL
303 if contains_nodebug_attribute(&trait_item.attrs) {
304 return FunctionDebugContext::FunctionWithoutDebugInfo;
305 }
306
b039eaaf 307 (trait_item.name,
d9579d0f
AL
308 &sig.decl,
309 &sig.generics,
310 body,
311 trait_item.span,
312 true)
313 }
314 _ => {
54a0048b
SL
315 bug!("create_function_debug_context: \
316 unexpected sort of node: {:?}",
317 fnitem)
d9579d0f
AL
318 }
319 }
320 }
e9174d1e
SL
321 hir_map::NodeForeignItem(..) |
322 hir_map::NodeVariant(..) |
323 hir_map::NodeStructCtor(..) => {
d9579d0f
AL
324 return FunctionDebugContext::FunctionWithoutDebugInfo;
325 }
54a0048b
SL
326 _ => bug!("create_function_debug_context: \
327 unexpected sort of node: {:?}",
328 fnitem)
d9579d0f
AL
329 };
330
331 // This can be the case for functions inlined from another crate
332 if span == codemap::DUMMY_SP {
333 return FunctionDebugContext::FunctionWithoutDebugInfo;
334 }
335
336 let loc = span_start(cx, span);
337 let file_metadata = file_metadata(cx, &loc.file.name);
338
339 let function_type_metadata = unsafe {
340 let fn_signature = get_function_signature(cx,
341 fn_ast_id,
d9579d0f
AL
342 param_substs,
343 span);
344 llvm::LLVMDIBuilderCreateSubroutineType(DIB(cx), file_metadata, fn_signature)
345 };
346
347 // Get_template_parameters() will append a `<...>` clause to the function
348 // name if necessary.
c1a9b12d 349 let mut function_name = name.to_string();
d9579d0f
AL
350 let template_parameters = get_template_parameters(cx,
351 generics,
352 param_substs,
353 file_metadata,
354 &mut function_name);
355
e9174d1e 356 // There is no hir_map::Path for hir::ExprClosure-type functions. For now,
d9579d0f 357 // just don't put them into a namespace. In the future this could be improved
e9174d1e 358 // somehow (storing a path in the hir_map, or construct a path using the
d9579d0f
AL
359 // enclosing function).
360 let (linkage_name, containing_scope) = if has_path {
b039eaaf
SL
361 let fn_ast_def_id = cx.tcx().map.local_def_id(fn_ast_id);
362 let namespace_node = namespace_for_item(cx, fn_ast_def_id);
d9579d0f
AL
363 let linkage_name = namespace_node.mangled_name_of_contained_item(
364 &function_name[..]);
365 let containing_scope = namespace_node.scope;
366 (linkage_name, containing_scope)
367 } else {
368 (function_name.clone(), file_metadata)
369 };
370
371 // Clang sets this parameter to the opening brace of the function's block,
372 // so let's do this too.
373 let scope_line = span_start(cx, top_level_block.span).line;
374
375 let is_local_to_unit = is_node_local_to_unit(cx, fn_ast_id);
376
377 let function_name = CString::new(function_name).unwrap();
378 let linkage_name = CString::new(linkage_name).unwrap();
379 let fn_metadata = unsafe {
380 llvm::LLVMDIBuilderCreateFunction(
381 DIB(cx),
382 containing_scope,
383 function_name.as_ptr(),
384 linkage_name.as_ptr(),
385 file_metadata,
386 loc.line as c_uint,
387 function_type_metadata,
388 is_local_to_unit,
389 true,
390 scope_line as c_uint,
391 FlagPrototyped as c_uint,
9cc50fc6 392 cx.sess().opts.optimize != config::OptLevel::No,
d9579d0f
AL
393 llfn,
394 template_parameters,
395 ptr::null_mut())
396 };
397
398 let scope_map = create_scope_map::create_scope_map(cx,
399 &fn_decl.inputs,
7453a54e 400 &top_level_block,
d9579d0f
AL
401 fn_metadata,
402 fn_ast_id);
403
404 // Initialize fn debug context (including scope map and namespace map)
405 let fn_debug_context = box FunctionDebugContextData {
406 scope_map: RefCell::new(scope_map),
407 fn_metadata: fn_metadata,
408 argument_counter: Cell::new(1),
409 source_locations_enabled: Cell::new(false),
410 source_location_override: Cell::new(false),
411 };
412
413
414
415 return FunctionDebugContext::RegularContext(fn_debug_context);
416
417 fn get_function_signature<'a, 'tcx>(cx: &CrateContext<'a, 'tcx>,
418 fn_ast_id: ast::NodeId,
d9579d0f
AL
419 param_substs: &Substs<'tcx>,
420 error_reporting_span: Span) -> DIArray {
421 if cx.sess().opts.debuginfo == LimitedDebugInfo {
422 return create_DIArray(DIB(cx), &[]);
423 }
424
d9579d0f
AL
425 // Return type -- llvm::DIBuilder wants this at index 0
426 assert_type_for_node_id(cx, fn_ast_id, error_reporting_span);
c1a9b12d 427 let fn_type = cx.tcx().node_id_to_type(fn_ast_id);
92a42be0 428 let fn_type = monomorphize::apply_param_substs(cx.tcx(), param_substs, &fn_type);
c1a9b12d
SL
429
430 let (sig, abi) = match fn_type.sty {
54a0048b 431 ty::TyFnDef(_, _, ref barefnty) | ty::TyFnPtr(ref barefnty) => {
92a42be0
SL
432 let sig = cx.tcx().erase_late_bound_regions(&barefnty.sig);
433 let sig = infer::normalize_associated_type(cx.tcx(), &sig);
434 (sig, barefnty.abi)
c1a9b12d
SL
435 }
436 ty::TyClosure(def_id, ref substs) => {
437 let closure_type = cx.tcx().closure_type(def_id, substs);
92a42be0
SL
438 let sig = cx.tcx().erase_late_bound_regions(&closure_type.sig);
439 let sig = infer::normalize_associated_type(cx.tcx(), &sig);
440 (sig, closure_type.abi)
c1a9b12d
SL
441 }
442
54a0048b 443 _ => bug!("get_function_metdata: Expected a function type!")
c1a9b12d 444 };
c1a9b12d
SL
445
446 let mut signature = Vec::with_capacity(sig.inputs.len() + 1);
447
448 // Return type -- llvm::DIBuilder wants this at index 0
449 signature.push(match sig.output {
450 ty::FnConverging(ret_ty) => match ret_ty.sty {
451 ty::TyTuple(ref tys) if tys.is_empty() => ptr::null_mut(),
452 _ => type_metadata(cx, ret_ty, codemap::DUMMY_SP)
453 },
454 ty::FnDiverging => diverging_type_metadata(cx)
455 });
456
54a0048b
SL
457 let inputs = if abi == Abi::RustCall {
458 &sig.inputs[..sig.inputs.len()-1]
d9579d0f 459 } else {
54a0048b 460 &sig.inputs[..]
c1a9b12d 461 };
d9579d0f
AL
462
463 // Arguments types
c1a9b12d
SL
464 for &argument_type in inputs {
465 signature.push(type_metadata(cx, argument_type, codemap::DUMMY_SP));
d9579d0f
AL
466 }
467
54a0048b
SL
468 if abi == Abi::RustCall && !sig.inputs.is_empty() {
469 if let ty::TyTuple(ref args) = sig.inputs[sig.inputs.len() - 1].sty {
470 for &argument_type in args {
471 signature.push(type_metadata(cx, argument_type, codemap::DUMMY_SP));
472 }
473 }
474 }
475
d9579d0f
AL
476 return create_DIArray(DIB(cx), &signature[..]);
477 }
478
479 fn get_template_parameters<'a, 'tcx>(cx: &CrateContext<'a, 'tcx>,
e9174d1e 480 generics: &hir::Generics,
d9579d0f
AL
481 param_substs: &Substs<'tcx>,
482 file_metadata: DIFile,
483 name_to_append_suffix_to: &mut String)
484 -> DIArray
485 {
486 let self_type = param_substs.self_ty();
e9174d1e 487 let self_type = normalize_associated_type(cx.tcx(), &self_type);
d9579d0f
AL
488
489 // Only true for static default methods:
490 let has_self_type = self_type.is_some();
491
492 if !generics.is_type_parameterized() && !has_self_type {
493 return create_DIArray(DIB(cx), &[]);
494 }
495
496 name_to_append_suffix_to.push('<');
497
498 // The list to be filled with template parameters:
499 let mut template_params: Vec<DIDescriptor> =
500 Vec::with_capacity(generics.ty_params.len() + 1);
501
502 // Handle self type
503 if has_self_type {
504 let actual_self_type = self_type.unwrap();
505 // Add self type name to <...> clause of function name
506 let actual_self_type_name = compute_debuginfo_type_name(
507 cx,
508 actual_self_type,
509 true);
510
511 name_to_append_suffix_to.push_str(&actual_self_type_name[..]);
512
513 if generics.is_type_parameterized() {
514 name_to_append_suffix_to.push_str(",");
515 }
516
517 // Only create type information if full debuginfo is enabled
518 if cx.sess().opts.debuginfo == FullDebugInfo {
519 let actual_self_type_metadata = type_metadata(cx,
520 actual_self_type,
521 codemap::DUMMY_SP);
522
c1a9b12d 523 let name = special_idents::type_self.name.as_str();
d9579d0f
AL
524
525 let name = CString::new(name.as_bytes()).unwrap();
526 let param_metadata = unsafe {
527 llvm::LLVMDIBuilderCreateTemplateTypeParameter(
528 DIB(cx),
62682a34 529 ptr::null_mut(),
d9579d0f
AL
530 name.as_ptr(),
531 actual_self_type_metadata,
62682a34 532 file_metadata,
d9579d0f
AL
533 0,
534 0)
535 };
536
537 template_params.push(param_metadata);
538 }
539 }
540
541 // Handle other generic parameters
542 let actual_types = param_substs.types.get_slice(subst::FnSpace);
b039eaaf 543 for (index, &hir::TyParam{ name, .. }) in generics.ty_params.iter().enumerate() {
d9579d0f
AL
544 let actual_type = actual_types[index];
545 // Add actual type name to <...> clause of function name
546 let actual_type_name = compute_debuginfo_type_name(cx,
547 actual_type,
548 true);
549 name_to_append_suffix_to.push_str(&actual_type_name[..]);
550
551 if index != generics.ty_params.len() - 1 {
552 name_to_append_suffix_to.push_str(",");
553 }
554
555 // Again, only create type information if full debuginfo is enabled
556 if cx.sess().opts.debuginfo == FullDebugInfo {
557 let actual_type_metadata = type_metadata(cx, actual_type, codemap::DUMMY_SP);
b039eaaf 558 let name = CString::new(name.as_str().as_bytes()).unwrap();
d9579d0f
AL
559 let param_metadata = unsafe {
560 llvm::LLVMDIBuilderCreateTemplateTypeParameter(
561 DIB(cx),
62682a34 562 ptr::null_mut(),
d9579d0f
AL
563 name.as_ptr(),
564 actual_type_metadata,
62682a34 565 file_metadata,
d9579d0f
AL
566 0,
567 0)
568 };
569 template_params.push(param_metadata);
570 }
571 }
572
573 name_to_append_suffix_to.push('>');
574
575 return create_DIArray(DIB(cx), &template_params[..]);
576 }
577}
578
579fn declare_local<'blk, 'tcx>(bcx: Block<'blk, 'tcx>,
580 variable_name: ast::Name,
581 variable_type: Ty<'tcx>,
582 scope_metadata: DIScope,
583 variable_access: VariableAccess,
584 variable_kind: VariableKind,
585 span: Span) {
586 let cx: &CrateContext = bcx.ccx();
587
588 let filename = span_start(cx, span).file.name.clone();
589 let file_metadata = file_metadata(cx, &filename[..]);
590
d9579d0f
AL
591 let loc = span_start(cx, span);
592 let type_metadata = type_metadata(cx, variable_type, span);
593
594 let (argument_index, dwarf_tag) = match variable_kind {
595 ArgumentVariable(index) => (index as c_uint, DW_TAG_arg_variable),
596 LocalVariable |
597 CapturedVariable => (0, DW_TAG_auto_variable)
598 };
599
c1a9b12d 600 let name = CString::new(variable_name.as_str().as_bytes()).unwrap();
d9579d0f
AL
601 match (variable_access, &[][..]) {
602 (DirectVariable { alloca }, address_operations) |
603 (IndirectVariable {alloca, address_operations}, _) => {
604 let metadata = unsafe {
605 llvm::LLVMDIBuilderCreateVariable(
606 DIB(cx),
607 dwarf_tag,
608 scope_metadata,
609 name.as_ptr(),
610 file_metadata,
611 loc.line as c_uint,
612 type_metadata,
9cc50fc6 613 cx.sess().opts.optimize != config::OptLevel::No,
d9579d0f
AL
614 0,
615 address_operations.as_ptr(),
616 address_operations.len() as c_uint,
617 argument_index)
618 };
619 source_loc::set_debug_location(cx, InternalDebugLocation::new(scope_metadata,
620 loc.line,
621 loc.col.to_usize()));
622 unsafe {
62682a34 623 let debug_loc = llvm::LLVMGetCurrentDebugLocation(cx.raw_builder());
d9579d0f
AL
624 let instr = llvm::LLVMDIBuilderInsertDeclareAtEnd(
625 DIB(cx),
626 alloca,
627 metadata,
628 address_operations.as_ptr(),
629 address_operations.len() as c_uint,
62682a34 630 debug_loc,
d9579d0f
AL
631 bcx.llbb);
632
54a0048b 633 llvm::LLVMSetInstDebugLocation(::build::B(bcx).llbuilder, instr);
d9579d0f
AL
634 }
635 }
636 }
637
638 match variable_kind {
639 ArgumentVariable(_) | CapturedVariable => {
640 assert!(!bcx.fcx
641 .debug_context
54a0048b 642 .get_ref(span)
d9579d0f
AL
643 .source_locations_enabled
644 .get());
645 source_loc::set_debug_location(cx, InternalDebugLocation::UnknownLocation);
646 }
647 _ => { /* nothing to do */ }
648 }
649}
650
651#[derive(Copy, Clone, PartialEq, Eq, Debug)]
652pub enum DebugLoc {
653 At(ast::NodeId, Span),
654 None
655}
656
657impl DebugLoc {
658 pub fn apply(&self, fcx: &FunctionContext) {
659 match *self {
660 DebugLoc::At(node_id, span) => {
661 source_loc::set_source_location(fcx, node_id, span);
662 }
663 DebugLoc::None => {
664 source_loc::clear_source_location(fcx);
665 }
666 }
667 }
668}
669
670pub trait ToDebugLoc {
671 fn debug_loc(&self) -> DebugLoc;
672}
673
e9174d1e 674impl ToDebugLoc for hir::Expr {
d9579d0f
AL
675 fn debug_loc(&self) -> DebugLoc {
676 DebugLoc::At(self.id, self.span)
677 }
678}
679
680impl ToDebugLoc for NodeIdAndSpan {
681 fn debug_loc(&self) -> DebugLoc {
682 DebugLoc::At(self.id, self.span)
683 }
684}
685
686impl ToDebugLoc for Option<NodeIdAndSpan> {
687 fn debug_loc(&self) -> DebugLoc {
688 match *self {
689 Some(NodeIdAndSpan { id, span }) => DebugLoc::At(id, span),
690 None => DebugLoc::None
691 }
692 }
693}