rustc_codegen_llvm/debuginfo/
metadata.rs

1use std::borrow::Cow;
2use std::fmt::{self, Write};
3use std::hash::{Hash, Hasher};
4use std::path::{Path, PathBuf};
5use std::sync::Arc;
6use std::{iter, ptr};
7
8use libc::{c_char, c_longlong, c_uint};
9use rustc_abi::{Align, Size};
10use rustc_codegen_ssa::debuginfo::type_names::{VTableNameKind, cpp_like_debuginfo};
11use rustc_codegen_ssa::traits::*;
12use rustc_hir::def::{CtorKind, DefKind};
13use rustc_hir::def_id::{DefId, LOCAL_CRATE};
14use rustc_middle::bug;
15use rustc_middle::ty::layout::{
16    HasTypingEnv, LayoutOf, TyAndLayout, WIDE_PTR_ADDR, WIDE_PTR_EXTRA,
17};
18use rustc_middle::ty::{
19    self, AdtKind, CoroutineArgsExt, ExistentialTraitRef, Instance, Ty, TyCtxt, Visibility,
20};
21use rustc_session::config::{self, DebugInfo, Lto};
22use rustc_span::{DUMMY_SP, FileName, FileNameDisplayPreference, SourceFile, Symbol, hygiene};
23use rustc_symbol_mangling::typeid_for_trait_ref;
24use rustc_target::spec::DebuginfoKind;
25use smallvec::smallvec;
26use tracing::{debug, instrument};
27
28pub(crate) use self::type_map::TypeMap;
29use self::type_map::{DINodeCreationResult, Stub, UniqueTypeId};
30use super::CodegenUnitDebugContext;
31use super::namespace::mangled_name_of_instance;
32use super::type_names::{compute_debuginfo_type_name, compute_debuginfo_vtable_name};
33use super::utils::{
34    DIB, create_DIArray, debug_context, get_namespace_for_item, is_node_local_to_unit,
35};
36use crate::common::{AsCCharPtr, CodegenCx};
37use crate::debuginfo::dwarf_const;
38use crate::debuginfo::metadata::type_map::build_type_with_children;
39use crate::debuginfo::utils::{WidePtrKind, wide_pointer_kind};
40use crate::llvm;
41use crate::llvm::debuginfo::{
42    DIBasicType, DIBuilder, DICompositeType, DIDescriptor, DIFile, DIFlags, DILexicalBlock,
43    DIScope, DIType, DebugEmissionKind, DebugNameTableKind,
44};
45use crate::value::Value;
46
47impl PartialEq for llvm::Metadata {
48    fn eq(&self, other: &Self) -> bool {
49        ptr::eq(self, other)
50    }
51}
52
53impl Eq for llvm::Metadata {}
54
55impl Hash for llvm::Metadata {
56    fn hash<H: Hasher>(&self, hasher: &mut H) {
57        (self as *const Self).hash(hasher);
58    }
59}
60
61impl fmt::Debug for llvm::Metadata {
62    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
63        (self as *const Self).fmt(f)
64    }
65}
66
67pub(super) const UNKNOWN_LINE_NUMBER: c_uint = 0;
68pub(super) const UNKNOWN_COLUMN_NUMBER: c_uint = 0;
69
70const NO_SCOPE_METADATA: Option<&DIScope> = None;
71/// A function that returns an empty list of generic parameter debuginfo nodes.
72const NO_GENERICS: for<'ll> fn(&CodegenCx<'ll, '_>) -> SmallVec<Option<&'ll DIType>> =
73    |_| SmallVec::new();
74
75// SmallVec is used quite a bit in this module, so create a shorthand.
76// The actual number of elements is not so important.
77type SmallVec<T> = smallvec::SmallVec<[T; 16]>;
78
79mod enums;
80mod type_map;
81
82/// Returns from the enclosing function if the type debuginfo node with the given
83/// unique ID can be found in the type map.
84macro_rules! return_if_di_node_created_in_meantime {
85    ($cx: expr, $unique_type_id: expr) => {
86        if let Some(di_node) = debug_context($cx).type_map.di_node_for_unique_id($unique_type_id) {
87            return DINodeCreationResult::new(di_node, true);
88        }
89    };
90}
91
92/// Extract size and alignment from a TyAndLayout.
93#[inline]
94fn size_and_align_of(ty_and_layout: TyAndLayout<'_>) -> (Size, Align) {
95    (ty_and_layout.size, ty_and_layout.align.abi)
96}
97
98/// Creates debuginfo for a fixed size array (e.g. `[u64; 123]`).
99/// For slices (that is, "arrays" of unknown size) use [build_slice_type_di_node].
100fn build_fixed_size_array_di_node<'ll, 'tcx>(
101    cx: &CodegenCx<'ll, 'tcx>,
102    unique_type_id: UniqueTypeId<'tcx>,
103    array_type: Ty<'tcx>,
104) -> DINodeCreationResult<'ll> {
105    let ty::Array(element_type, len) = array_type.kind() else {
106        bug!("build_fixed_size_array_di_node() called with non-ty::Array type `{:?}`", array_type)
107    };
108
109    let element_type_di_node = type_di_node(cx, *element_type);
110
111    return_if_di_node_created_in_meantime!(cx, unique_type_id);
112
113    let (size, align) = cx.size_and_align_of(array_type);
114
115    let upper_bound = len
116        .try_to_target_usize(cx.tcx)
117        .expect("expected monomorphic const in codegen") as c_longlong;
118
119    let subrange =
120        unsafe { Some(llvm::LLVMRustDIBuilderGetOrCreateSubrange(DIB(cx), 0, upper_bound)) };
121
122    let subscripts = create_DIArray(DIB(cx), &[subrange]);
123    let di_node = unsafe {
124        llvm::LLVMRustDIBuilderCreateArrayType(
125            DIB(cx),
126            size.bits(),
127            align.bits() as u32,
128            element_type_di_node,
129            subscripts,
130        )
131    };
132
133    DINodeCreationResult::new(di_node, false)
134}
135
136/// Creates debuginfo for built-in pointer-like things:
137///
138///  - ty::Ref
139///  - ty::RawPtr
140///  - ty::Adt in the case it's Box
141///
142/// At some point we might want to remove the special handling of Box
143/// and treat it the same as other smart pointers (like Rc, Arc, ...).
144fn build_pointer_or_reference_di_node<'ll, 'tcx>(
145    cx: &CodegenCx<'ll, 'tcx>,
146    ptr_type: Ty<'tcx>,
147    pointee_type: Ty<'tcx>,
148    unique_type_id: UniqueTypeId<'tcx>,
149) -> DINodeCreationResult<'ll> {
150    // The debuginfo generated by this function is only valid if `ptr_type` is really just
151    // a (wide) pointer. Make sure it is not called for e.g. `Box<T, NonZSTAllocator>`.
152    assert_eq!(
153        cx.size_and_align_of(ptr_type),
154        cx.size_and_align_of(Ty::new_mut_ptr(cx.tcx, pointee_type))
155    );
156
157    let pointee_type_di_node = type_di_node(cx, pointee_type);
158
159    return_if_di_node_created_in_meantime!(cx, unique_type_id);
160
161    let data_layout = &cx.tcx.data_layout;
162    let ptr_type_debuginfo_name = compute_debuginfo_type_name(cx.tcx, ptr_type, true);
163
164    match wide_pointer_kind(cx, pointee_type) {
165        None => {
166            // This is a thin pointer. Create a regular pointer type and give it the correct name.
167            assert_eq!(
168                (data_layout.pointer_size, data_layout.pointer_align.abi),
169                cx.size_and_align_of(ptr_type),
170                "ptr_type={ptr_type}, pointee_type={pointee_type}",
171            );
172
173            let di_node = unsafe {
174                llvm::LLVMRustDIBuilderCreatePointerType(
175                    DIB(cx),
176                    pointee_type_di_node,
177                    data_layout.pointer_size.bits(),
178                    data_layout.pointer_align.abi.bits() as u32,
179                    0, // Ignore DWARF address space.
180                    ptr_type_debuginfo_name.as_c_char_ptr(),
181                    ptr_type_debuginfo_name.len(),
182                )
183            };
184
185            DINodeCreationResult { di_node, already_stored_in_typemap: false }
186        }
187        Some(wide_pointer_kind) => {
188            type_map::build_type_with_children(
189                cx,
190                type_map::stub(
191                    cx,
192                    Stub::Struct,
193                    unique_type_id,
194                    &ptr_type_debuginfo_name,
195                    None,
196                    cx.size_and_align_of(ptr_type),
197                    NO_SCOPE_METADATA,
198                    DIFlags::FlagZero,
199                ),
200                |cx, owner| {
201                    // FIXME: If this wide pointer is a `Box` then we don't want to use its
202                    //        type layout and instead use the layout of the raw pointer inside
203                    //        of it.
204                    //        The proper way to handle this is to not treat Box as a pointer
205                    //        at all and instead emit regular struct debuginfo for it. We just
206                    //        need to make sure that we don't break existing debuginfo consumers
207                    //        by doing that (at least not without a warning period).
208                    let layout_type = if ptr_type.is_box() {
209                        // The assertion at the start of this function ensures we have a ZST
210                        // allocator. We'll make debuginfo "skip" all ZST allocators, not just the
211                        // default allocator.
212                        Ty::new_mut_ptr(cx.tcx, pointee_type)
213                    } else {
214                        ptr_type
215                    };
216
217                    let layout = cx.layout_of(layout_type);
218                    let addr_field = layout.field(cx, WIDE_PTR_ADDR);
219                    let extra_field = layout.field(cx, WIDE_PTR_EXTRA);
220
221                    let (addr_field_name, extra_field_name) = match wide_pointer_kind {
222                        WidePtrKind::Dyn => ("pointer", "vtable"),
223                        WidePtrKind::Slice => ("data_ptr", "length"),
224                    };
225
226                    assert_eq!(WIDE_PTR_ADDR, 0);
227                    assert_eq!(WIDE_PTR_EXTRA, 1);
228
229                    // The data pointer type is a regular, thin pointer, regardless of whether this
230                    // is a slice or a trait object.
231                    let data_ptr_type_di_node = unsafe {
232                        llvm::LLVMRustDIBuilderCreatePointerType(
233                            DIB(cx),
234                            pointee_type_di_node,
235                            addr_field.size.bits(),
236                            addr_field.align.abi.bits() as u32,
237                            0, // Ignore DWARF address space.
238                            std::ptr::null(),
239                            0,
240                        )
241                    };
242
243                    smallvec![
244                        build_field_di_node(
245                            cx,
246                            owner,
247                            addr_field_name,
248                            addr_field,
249                            layout.fields.offset(WIDE_PTR_ADDR),
250                            DIFlags::FlagZero,
251                            data_ptr_type_di_node,
252                            None,
253                        ),
254                        build_field_di_node(
255                            cx,
256                            owner,
257                            extra_field_name,
258                            extra_field,
259                            layout.fields.offset(WIDE_PTR_EXTRA),
260                            DIFlags::FlagZero,
261                            type_di_node(cx, extra_field.ty),
262                            None,
263                        ),
264                    ]
265                },
266                NO_GENERICS,
267            )
268        }
269    }
270}
271
272fn build_subroutine_type_di_node<'ll, 'tcx>(
273    cx: &CodegenCx<'ll, 'tcx>,
274    unique_type_id: UniqueTypeId<'tcx>,
275) -> DINodeCreationResult<'ll> {
276    // It's possible to create a self-referential type in Rust by using 'impl trait':
277    //
278    // fn foo() -> impl Copy { foo }
279    //
280    // Unfortunately LLVM's API does not allow us to create recursive subroutine types.
281    // In order to work around that restriction we place a marker type in the type map,
282    // before creating the actual type. If the actual type is recursive, it will hit the
283    // marker type. So we end up with a type that looks like
284    //
285    // fn foo() -> <recursive_type>
286    //
287    // Once that is created, we replace the marker in the typemap with the actual type.
288    debug_context(cx)
289        .type_map
290        .unique_id_to_di_node
291        .borrow_mut()
292        .insert(unique_type_id, recursion_marker_type_di_node(cx));
293
294    let fn_ty = unique_type_id.expect_ty();
295    let signature =
296        cx.tcx.normalize_erasing_late_bound_regions(cx.typing_env(), fn_ty.fn_sig(cx.tcx));
297
298    let signature_di_nodes: SmallVec<_> = iter::once(
299        // return type
300        match signature.output().kind() {
301            ty::Tuple(tys) if tys.is_empty() => {
302                // this is a "void" function
303                None
304            }
305            _ => Some(type_di_node(cx, signature.output())),
306        },
307    )
308    .chain(
309        // regular arguments
310        signature.inputs().iter().map(|&argument_type| Some(type_di_node(cx, argument_type))),
311    )
312    .collect();
313
314    debug_context(cx).type_map.unique_id_to_di_node.borrow_mut().remove(&unique_type_id);
315
316    let fn_di_node = create_subroutine_type(cx, create_DIArray(DIB(cx), &signature_di_nodes[..]));
317
318    // This is actually a function pointer, so wrap it in pointer DI.
319    let name = compute_debuginfo_type_name(cx.tcx, fn_ty, false);
320    let (size, align) = match fn_ty.kind() {
321        ty::FnDef(..) => (Size::ZERO, Align::ONE),
322        ty::FnPtr(..) => (cx.tcx.data_layout.pointer_size, cx.tcx.data_layout.pointer_align.abi),
323        _ => unreachable!(),
324    };
325    let di_node = unsafe {
326        llvm::LLVMRustDIBuilderCreatePointerType(
327            DIB(cx),
328            fn_di_node,
329            size.bits(),
330            align.bits() as u32,
331            0, // Ignore DWARF address space.
332            name.as_c_char_ptr(),
333            name.len(),
334        )
335    };
336
337    DINodeCreationResult::new(di_node, false)
338}
339
340pub(super) fn create_subroutine_type<'ll>(
341    cx: &CodegenCx<'ll, '_>,
342    signature: &'ll DICompositeType,
343) -> &'ll DICompositeType {
344    unsafe { llvm::LLVMRustDIBuilderCreateSubroutineType(DIB(cx), signature) }
345}
346
347/// Create debuginfo for `dyn SomeTrait` types. Currently these are empty structs
348/// we with the correct type name (e.g. "dyn SomeTrait<Foo, Item=u32> + Sync").
349fn build_dyn_type_di_node<'ll, 'tcx>(
350    cx: &CodegenCx<'ll, 'tcx>,
351    dyn_type: Ty<'tcx>,
352    unique_type_id: UniqueTypeId<'tcx>,
353) -> DINodeCreationResult<'ll> {
354    if let ty::Dynamic(..) = dyn_type.kind() {
355        let type_name = compute_debuginfo_type_name(cx.tcx, dyn_type, true);
356        type_map::build_type_with_children(
357            cx,
358            type_map::stub(
359                cx,
360                Stub::Struct,
361                unique_type_id,
362                &type_name,
363                None,
364                cx.size_and_align_of(dyn_type),
365                NO_SCOPE_METADATA,
366                DIFlags::FlagZero,
367            ),
368            |_, _| smallvec![],
369            NO_GENERICS,
370        )
371    } else {
372        bug!(
373            "Only ty::Dynamic is valid for build_dyn_type_di_node(). Found {:?} instead.",
374            dyn_type
375        )
376    }
377}
378
379/// Create debuginfo for `[T]` and `str`. These are unsized.
380///
381/// NOTE: We currently emit just emit the debuginfo for the element type here
382/// (i.e. `T` for slices and `u8` for `str`), so that we end up with
383/// `*const T` for the `data_ptr` field of the corresponding wide-pointer
384/// debuginfo of `&[T]`.
385///
386/// It would be preferable and more accurate if we emitted a DIArray of T
387/// without an upper bound instead. That is, LLVM already supports emitting
388/// debuginfo of arrays of unknown size. But GDB currently seems to end up
389/// in an infinite loop when confronted with such a type.
390///
391/// As a side effect of the current encoding every instance of a type like
392/// `struct Foo { unsized_field: [u8] }` will look like
393/// `struct Foo { unsized_field: u8 }` in debuginfo. If the length of the
394/// slice is zero, then accessing `unsized_field` in the debugger would
395/// result in an out-of-bounds access.
396fn build_slice_type_di_node<'ll, 'tcx>(
397    cx: &CodegenCx<'ll, 'tcx>,
398    slice_type: Ty<'tcx>,
399    unique_type_id: UniqueTypeId<'tcx>,
400) -> DINodeCreationResult<'ll> {
401    let element_type = match slice_type.kind() {
402        ty::Slice(element_type) => *element_type,
403        ty::Str => cx.tcx.types.u8,
404        _ => {
405            bug!(
406                "Only ty::Slice is valid for build_slice_type_di_node(). Found {:?} instead.",
407                slice_type
408            )
409        }
410    };
411
412    let element_type_di_node = type_di_node(cx, element_type);
413    return_if_di_node_created_in_meantime!(cx, unique_type_id);
414    DINodeCreationResult { di_node: element_type_di_node, already_stored_in_typemap: false }
415}
416
417/// Get the debuginfo node for the given type.
418///
419/// This function will look up the debuginfo node in the TypeMap. If it can't find it, it
420/// will create the node by dispatching to the corresponding `build_*_di_node()` function.
421pub(crate) fn type_di_node<'ll, 'tcx>(cx: &CodegenCx<'ll, 'tcx>, t: Ty<'tcx>) -> &'ll DIType {
422    let unique_type_id = UniqueTypeId::for_ty(cx.tcx, t);
423
424    if let Some(existing_di_node) = debug_context(cx).type_map.di_node_for_unique_id(unique_type_id)
425    {
426        return existing_di_node;
427    }
428
429    debug!("type_di_node: {:?} kind: {:?}", t, t.kind());
430
431    let DINodeCreationResult { di_node, already_stored_in_typemap } = match *t.kind() {
432        ty::Never | ty::Bool | ty::Char | ty::Int(_) | ty::Uint(_) | ty::Float(_) => {
433            build_basic_type_di_node(cx, t)
434        }
435        ty::Tuple(elements) if elements.is_empty() => build_basic_type_di_node(cx, t),
436        ty::Array(..) => build_fixed_size_array_di_node(cx, unique_type_id, t),
437        ty::Slice(_) | ty::Str => build_slice_type_di_node(cx, t, unique_type_id),
438        ty::Dynamic(..) => build_dyn_type_di_node(cx, t, unique_type_id),
439        ty::Foreign(..) => build_foreign_type_di_node(cx, t, unique_type_id),
440        ty::RawPtr(pointee_type, _) | ty::Ref(_, pointee_type, _) => {
441            build_pointer_or_reference_di_node(cx, t, pointee_type, unique_type_id)
442        }
443        // Some `Box` are newtyped pointers, make debuginfo aware of that.
444        // Only works if the allocator argument is a 1-ZST and hence irrelevant for layout
445        // (or if there is no allocator argument).
446        ty::Adt(def, args)
447            if def.is_box()
448                && args.get(1).is_none_or(|arg| cx.layout_of(arg.expect_ty()).is_1zst()) =>
449        {
450            build_pointer_or_reference_di_node(cx, t, t.expect_boxed_ty(), unique_type_id)
451        }
452        ty::FnDef(..) | ty::FnPtr(..) => build_subroutine_type_di_node(cx, unique_type_id),
453        ty::Closure(..) => build_closure_env_di_node(cx, unique_type_id),
454        ty::CoroutineClosure(..) => build_closure_env_di_node(cx, unique_type_id),
455        ty::Coroutine(..) => enums::build_coroutine_di_node(cx, unique_type_id),
456        ty::Adt(def, ..) => match def.adt_kind() {
457            AdtKind::Struct => build_struct_type_di_node(cx, unique_type_id),
458            AdtKind::Union => build_union_type_di_node(cx, unique_type_id),
459            AdtKind::Enum => enums::build_enum_type_di_node(cx, unique_type_id),
460        },
461        ty::Tuple(_) => build_tuple_type_di_node(cx, unique_type_id),
462        _ => bug!("debuginfo: unexpected type in type_di_node(): {:?}", t),
463    };
464
465    {
466        if already_stored_in_typemap {
467            // Make sure that we really do have a `TypeMap` entry for the unique type ID.
468            let di_node_for_uid =
469                match debug_context(cx).type_map.di_node_for_unique_id(unique_type_id) {
470                    Some(di_node) => di_node,
471                    None => {
472                        bug!(
473                            "expected type debuginfo node for unique \
474                               type ID '{:?}' to already be in \
475                               the `debuginfo::TypeMap` but it \
476                               was not.",
477                            unique_type_id,
478                        );
479                    }
480                };
481
482            assert_eq!(di_node_for_uid as *const _, di_node as *const _);
483        } else {
484            debug_context(cx).type_map.insert(unique_type_id, di_node);
485        }
486    }
487
488    di_node
489}
490
491// FIXME(mw): Cache this via a regular UniqueTypeId instead of an extra field in the debug context.
492fn recursion_marker_type_di_node<'ll, 'tcx>(cx: &CodegenCx<'ll, 'tcx>) -> &'ll DIType {
493    *debug_context(cx).recursion_marker_type.get_or_init(move || {
494        // The choice of type here is pretty arbitrary -
495        // anything reading the debuginfo for a recursive
496        // type is going to see *something* weird - the only
497        // question is what exactly it will see.
498        //
499        // FIXME: the name `<recur_type>` does not fit the naming scheme
500        //        of other types.
501        //
502        // FIXME: it might make sense to use an actual pointer type here
503        //        so that debuggers can show the address.
504        create_basic_type(
505            cx,
506            "<recur_type>",
507            cx.tcx.data_layout.pointer_size,
508            dwarf_const::DW_ATE_unsigned,
509        )
510    })
511}
512
513fn hex_encode(data: &[u8]) -> String {
514    let mut hex_string = String::with_capacity(data.len() * 2);
515    for byte in data.iter() {
516        write!(&mut hex_string, "{byte:02x}").unwrap();
517    }
518    hex_string
519}
520
521pub(crate) fn file_metadata<'ll>(cx: &CodegenCx<'ll, '_>, source_file: &SourceFile) -> &'ll DIFile {
522    let cache_key = Some((source_file.stable_id, source_file.src_hash));
523    return debug_context(cx)
524        .created_files
525        .borrow_mut()
526        .entry(cache_key)
527        .or_insert_with(|| alloc_new_file_metadata(cx, source_file));
528
529    #[instrument(skip(cx, source_file), level = "debug")]
530    fn alloc_new_file_metadata<'ll>(
531        cx: &CodegenCx<'ll, '_>,
532        source_file: &SourceFile,
533    ) -> &'ll DIFile {
534        debug!(?source_file.name);
535
536        let filename_display_preference =
537            cx.sess().filename_display_preference(RemapPathScopeComponents::DEBUGINFO);
538
539        use rustc_session::config::RemapPathScopeComponents;
540        let (directory, file_name) = match &source_file.name {
541            FileName::Real(filename) => {
542                let working_directory = &cx.sess().opts.working_dir;
543                debug!(?working_directory);
544
545                if filename_display_preference == FileNameDisplayPreference::Remapped {
546                    let filename = cx
547                        .sess()
548                        .source_map()
549                        .path_mapping()
550                        .to_embeddable_absolute_path(filename.clone(), working_directory);
551
552                    // Construct the absolute path of the file
553                    let abs_path = filename.remapped_path_if_available();
554                    debug!(?abs_path);
555
556                    if let Ok(rel_path) =
557                        abs_path.strip_prefix(working_directory.remapped_path_if_available())
558                    {
559                        // If the compiler's working directory (which also is the DW_AT_comp_dir of
560                        // the compilation unit) is a prefix of the path we are about to emit, then
561                        // only emit the part relative to the working directory. Because of path
562                        // remapping we sometimes see strange things here: `abs_path` might
563                        // actually look like a relative path (e.g.
564                        // `<crate-name-and-version>/src/lib.rs`), so if we emit it without taking
565                        // the working directory into account, downstream tooling will interpret it
566                        // as `<working-directory>/<crate-name-and-version>/src/lib.rs`, which
567                        // makes no sense. Usually in such cases the working directory will also be
568                        // remapped to `<crate-name-and-version>` or some other prefix of the path
569                        // we are remapping, so we end up with
570                        // `<crate-name-and-version>/<crate-name-and-version>/src/lib.rs`.
571                        // By moving the working directory portion into the `directory` part of the
572                        // DIFile, we allow LLVM to emit just the relative path for DWARF, while
573                        // still emitting the correct absolute path for CodeView.
574                        (
575                            working_directory.to_string_lossy(FileNameDisplayPreference::Remapped),
576                            rel_path.to_string_lossy().into_owned(),
577                        )
578                    } else {
579                        ("".into(), abs_path.to_string_lossy().into_owned())
580                    }
581                } else {
582                    let working_directory = working_directory.local_path_if_available();
583                    let filename = filename.local_path_if_available();
584
585                    debug!(?working_directory, ?filename);
586
587                    let abs_path: Cow<'_, Path> = if filename.is_absolute() {
588                        filename.into()
589                    } else {
590                        let mut p = PathBuf::new();
591                        p.push(working_directory);
592                        p.push(filename);
593                        p.into()
594                    };
595
596                    if let Ok(rel_path) = abs_path.strip_prefix(working_directory) {
597                        (
598                            working_directory.to_string_lossy(),
599                            rel_path.to_string_lossy().into_owned(),
600                        )
601                    } else {
602                        ("".into(), abs_path.to_string_lossy().into_owned())
603                    }
604                }
605            }
606            other => {
607                debug!(?other);
608                ("".into(), other.display(filename_display_preference).to_string())
609            }
610        };
611
612        let hash_kind = match source_file.src_hash.kind {
613            rustc_span::SourceFileHashAlgorithm::Md5 => llvm::ChecksumKind::MD5,
614            rustc_span::SourceFileHashAlgorithm::Sha1 => llvm::ChecksumKind::SHA1,
615            rustc_span::SourceFileHashAlgorithm::Sha256 => llvm::ChecksumKind::SHA256,
616            rustc_span::SourceFileHashAlgorithm::Blake3 => llvm::ChecksumKind::None,
617        };
618        let hash_value = hex_encode(source_file.src_hash.hash_bytes());
619
620        let source =
621            cx.sess().opts.unstable_opts.embed_source.then_some(()).and(source_file.src.as_ref());
622
623        create_file(DIB(cx), &file_name, &directory, &hash_value, hash_kind, source)
624    }
625}
626
627fn unknown_file_metadata<'ll>(cx: &CodegenCx<'ll, '_>) -> &'ll DIFile {
628    debug_context(cx).created_files.borrow_mut().entry(None).or_insert_with(|| {
629        create_file(DIB(cx), "<unknown>", "", "", llvm::ChecksumKind::None, None)
630    })
631}
632
633fn create_file<'ll>(
634    builder: &DIBuilder<'ll>,
635    file_name: &str,
636    directory: &str,
637    hash_value: &str,
638    hash_kind: llvm::ChecksumKind,
639    source: Option<&Arc<String>>,
640) -> &'ll DIFile {
641    unsafe {
642        llvm::LLVMRustDIBuilderCreateFile(
643            builder,
644            file_name.as_c_char_ptr(),
645            file_name.len(),
646            directory.as_c_char_ptr(),
647            directory.len(),
648            hash_kind,
649            hash_value.as_c_char_ptr(),
650            hash_value.len(),
651            source.map_or(ptr::null(), |x| x.as_c_char_ptr()),
652            source.map_or(0, |x| x.len()),
653        )
654    }
655}
656
657trait MsvcBasicName {
658    fn msvc_basic_name(self) -> &'static str;
659}
660
661impl MsvcBasicName for ty::IntTy {
662    fn msvc_basic_name(self) -> &'static str {
663        match self {
664            ty::IntTy::Isize => "ptrdiff_t",
665            ty::IntTy::I8 => "__int8",
666            ty::IntTy::I16 => "__int16",
667            ty::IntTy::I32 => "__int32",
668            ty::IntTy::I64 => "__int64",
669            ty::IntTy::I128 => "__int128",
670        }
671    }
672}
673
674impl MsvcBasicName for ty::UintTy {
675    fn msvc_basic_name(self) -> &'static str {
676        match self {
677            ty::UintTy::Usize => "size_t",
678            ty::UintTy::U8 => "unsigned __int8",
679            ty::UintTy::U16 => "unsigned __int16",
680            ty::UintTy::U32 => "unsigned __int32",
681            ty::UintTy::U64 => "unsigned __int64",
682            ty::UintTy::U128 => "unsigned __int128",
683        }
684    }
685}
686
687impl MsvcBasicName for ty::FloatTy {
688    fn msvc_basic_name(self) -> &'static str {
689        // FIXME(f16_f128): `f16` and `f128` have no MSVC representation. We could improve the
690        // debuginfo. See: <https://github.com/rust-lang/rust/issues/121837>
691        match self {
692            ty::FloatTy::F16 => {
693                bug!("`f16` should have been handled in `build_basic_type_di_node`")
694            }
695            ty::FloatTy::F32 => "float",
696            ty::FloatTy::F64 => "double",
697            ty::FloatTy::F128 => "fp128",
698        }
699    }
700}
701
702fn build_cpp_f16_di_node<'ll, 'tcx>(cx: &CodegenCx<'ll, 'tcx>) -> DINodeCreationResult<'ll> {
703    // MSVC has no native support for `f16`. Instead, emit `struct f16 { bits: u16 }` to allow the
704    // `f16`'s value to be displayed using a Natvis visualiser in `intrinsic.natvis`.
705    let float_ty = cx.tcx.types.f16;
706    let bits_ty = cx.tcx.types.u16;
707    let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
708        match float_ty.kind() {
709            ty::Adt(def, _) => Some(file_metadata_from_def_id(cx, Some(def.did()))),
710            _ => None,
711        }
712    } else {
713        None
714    };
715    type_map::build_type_with_children(
716        cx,
717        type_map::stub(
718            cx,
719            Stub::Struct,
720            UniqueTypeId::for_ty(cx.tcx, float_ty),
721            "f16",
722            def_location,
723            cx.size_and_align_of(float_ty),
724            NO_SCOPE_METADATA,
725            DIFlags::FlagZero,
726        ),
727        // Fields:
728        |cx, float_di_node| {
729            let def_id = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
730                match bits_ty.kind() {
731                    ty::Adt(def, _) => Some(def.did()),
732                    _ => None,
733                }
734            } else {
735                None
736            };
737            smallvec![build_field_di_node(
738                cx,
739                float_di_node,
740                "bits",
741                cx.layout_of(bits_ty),
742                Size::ZERO,
743                DIFlags::FlagZero,
744                type_di_node(cx, bits_ty),
745                def_id,
746            )]
747        },
748        NO_GENERICS,
749    )
750}
751
752fn build_basic_type_di_node<'ll, 'tcx>(
753    cx: &CodegenCx<'ll, 'tcx>,
754    t: Ty<'tcx>,
755) -> DINodeCreationResult<'ll> {
756    debug!("build_basic_type_di_node: {:?}", t);
757
758    // When targeting MSVC, emit MSVC style type names for compatibility with
759    // .natvis visualizers (and perhaps other existing native debuggers?)
760    let cpp_like_debuginfo = cpp_like_debuginfo(cx.tcx);
761
762    use dwarf_const::{DW_ATE_UTF, DW_ATE_boolean, DW_ATE_float, DW_ATE_signed, DW_ATE_unsigned};
763
764    let (name, encoding) = match t.kind() {
765        ty::Never => ("!", DW_ATE_unsigned),
766        ty::Tuple(elements) if elements.is_empty() => {
767            if cpp_like_debuginfo {
768                return build_tuple_type_di_node(cx, UniqueTypeId::for_ty(cx.tcx, t));
769            } else {
770                ("()", DW_ATE_unsigned)
771            }
772        }
773        ty::Bool => ("bool", DW_ATE_boolean),
774        ty::Char => ("char", DW_ATE_UTF),
775        ty::Int(int_ty) if cpp_like_debuginfo => (int_ty.msvc_basic_name(), DW_ATE_signed),
776        ty::Uint(uint_ty) if cpp_like_debuginfo => (uint_ty.msvc_basic_name(), DW_ATE_unsigned),
777        ty::Float(ty::FloatTy::F16) if cpp_like_debuginfo => {
778            return build_cpp_f16_di_node(cx);
779        }
780        ty::Float(float_ty) if cpp_like_debuginfo => (float_ty.msvc_basic_name(), DW_ATE_float),
781        ty::Int(int_ty) => (int_ty.name_str(), DW_ATE_signed),
782        ty::Uint(uint_ty) => (uint_ty.name_str(), DW_ATE_unsigned),
783        ty::Float(float_ty) => (float_ty.name_str(), DW_ATE_float),
784        _ => bug!("debuginfo::build_basic_type_di_node - `t` is invalid type"),
785    };
786
787    let ty_di_node = create_basic_type(cx, name, cx.size_of(t), encoding);
788
789    if !cpp_like_debuginfo {
790        return DINodeCreationResult::new(ty_di_node, false);
791    }
792
793    let typedef_name = match t.kind() {
794        ty::Int(int_ty) => int_ty.name_str(),
795        ty::Uint(uint_ty) => uint_ty.name_str(),
796        ty::Float(float_ty) => float_ty.name_str(),
797        _ => return DINodeCreationResult::new(ty_di_node, false),
798    };
799
800    let typedef_di_node = unsafe {
801        llvm::LLVMRustDIBuilderCreateTypedef(
802            DIB(cx),
803            ty_di_node,
804            typedef_name.as_c_char_ptr(),
805            typedef_name.len(),
806            unknown_file_metadata(cx),
807            0,
808            None,
809        )
810    };
811
812    DINodeCreationResult::new(typedef_di_node, false)
813}
814
815fn create_basic_type<'ll, 'tcx>(
816    cx: &CodegenCx<'ll, 'tcx>,
817    name: &str,
818    size: Size,
819    encoding: u32,
820) -> &'ll DIBasicType {
821    unsafe {
822        llvm::LLVMRustDIBuilderCreateBasicType(
823            DIB(cx),
824            name.as_c_char_ptr(),
825            name.len(),
826            size.bits(),
827            encoding,
828        )
829    }
830}
831
832fn build_foreign_type_di_node<'ll, 'tcx>(
833    cx: &CodegenCx<'ll, 'tcx>,
834    t: Ty<'tcx>,
835    unique_type_id: UniqueTypeId<'tcx>,
836) -> DINodeCreationResult<'ll> {
837    debug!("build_foreign_type_di_node: {:?}", t);
838
839    let &ty::Foreign(def_id) = unique_type_id.expect_ty().kind() else {
840        bug!(
841            "build_foreign_type_di_node() called with unexpected type: {:?}",
842            unique_type_id.expect_ty()
843        );
844    };
845
846    build_type_with_children(
847        cx,
848        type_map::stub(
849            cx,
850            Stub::Struct,
851            unique_type_id,
852            &compute_debuginfo_type_name(cx.tcx, t, false),
853            None,
854            cx.size_and_align_of(t),
855            Some(get_namespace_for_item(cx, def_id)),
856            DIFlags::FlagZero,
857        ),
858        |_, _| smallvec![],
859        NO_GENERICS,
860    )
861}
862
863pub(crate) fn build_compile_unit_di_node<'ll, 'tcx>(
864    tcx: TyCtxt<'tcx>,
865    codegen_unit_name: &str,
866    debug_context: &CodegenUnitDebugContext<'ll, 'tcx>,
867) -> &'ll DIDescriptor {
868    use rustc_session::RemapFileNameExt;
869    use rustc_session::config::RemapPathScopeComponents;
870    let mut name_in_debuginfo = tcx
871        .sess
872        .local_crate_source_file()
873        .map(|src| src.for_scope(&tcx.sess, RemapPathScopeComponents::DEBUGINFO).to_path_buf())
874        .unwrap_or_else(|| PathBuf::from(tcx.crate_name(LOCAL_CRATE).as_str()));
875
876    // To avoid breaking split DWARF, we need to ensure that each codegen unit
877    // has a unique `DW_AT_name`. This is because there's a remote chance that
878    // different codegen units for the same module will have entirely
879    // identical DWARF entries for the purpose of the DWO ID, which would
880    // violate Appendix F ("Split Dwarf Object Files") of the DWARF 5
881    // specification. LLVM uses the algorithm specified in section 7.32 "Type
882    // Signature Computation" to compute the DWO ID, which does not include
883    // any fields that would distinguish compilation units. So we must embed
884    // the codegen unit name into the `DW_AT_name`. (Issue #88521.)
885    //
886    // Additionally, the OSX linker has an idiosyncrasy where it will ignore
887    // some debuginfo if multiple object files with the same `DW_AT_name` are
888    // linked together.
889    //
890    // As a workaround for these two issues, we generate unique names for each
891    // object file. Those do not correspond to an actual source file but that
892    // is harmless.
893    name_in_debuginfo.push("@");
894    name_in_debuginfo.push(codegen_unit_name);
895
896    debug!("build_compile_unit_di_node: {:?}", name_in_debuginfo);
897    let rustc_producer = format!("rustc version {}", tcx.sess.cfg_version);
898    // FIXME(#41252) Remove "clang LLVM" if we can get GDB and LLVM to play nice.
899    let producer = format!("clang LLVM ({rustc_producer})");
900
901    let name_in_debuginfo = name_in_debuginfo.to_string_lossy();
902    let work_dir = tcx
903        .sess
904        .opts
905        .working_dir
906        .for_scope(tcx.sess, RemapPathScopeComponents::DEBUGINFO)
907        .to_string_lossy();
908    let output_filenames = tcx.output_filenames(());
909    let split_name = if tcx.sess.target_can_use_split_dwarf()
910        && let Some(f) = output_filenames.split_dwarf_path(
911            tcx.sess.split_debuginfo(),
912            tcx.sess.opts.unstable_opts.split_dwarf_kind,
913            Some(codegen_unit_name),
914        ) {
915        // We get a path relative to the working directory from split_dwarf_path
916        Some(tcx.sess.source_map().path_mapping().to_real_filename(f))
917    } else {
918        None
919    };
920    let split_name = split_name
921        .as_ref()
922        .map(|f| f.for_scope(tcx.sess, RemapPathScopeComponents::DEBUGINFO).to_string_lossy())
923        .unwrap_or_default();
924    let kind = DebugEmissionKind::from_generic(tcx.sess.opts.debuginfo);
925
926    let dwarf_version = tcx.sess.dwarf_version();
927    let is_dwarf_kind =
928        matches!(tcx.sess.target.debuginfo_kind, DebuginfoKind::Dwarf | DebuginfoKind::DwarfDsym);
929    // Don't emit `.debug_pubnames` and `.debug_pubtypes` on DWARFv4 or lower.
930    let debug_name_table_kind = if is_dwarf_kind && dwarf_version <= 4 {
931        DebugNameTableKind::None
932    } else {
933        DebugNameTableKind::Default
934    };
935
936    unsafe {
937        let compile_unit_file = create_file(
938            debug_context.builder.as_ref(),
939            &name_in_debuginfo,
940            &work_dir,
941            "",
942            llvm::ChecksumKind::None,
943            None,
944        );
945
946        let unit_metadata = llvm::LLVMRustDIBuilderCreateCompileUnit(
947            debug_context.builder.as_ref(),
948            dwarf_const::DW_LANG_Rust,
949            compile_unit_file,
950            producer.as_c_char_ptr(),
951            producer.len(),
952            tcx.sess.opts.optimize != config::OptLevel::No,
953            c"".as_ptr(),
954            0,
955            // NB: this doesn't actually have any perceptible effect, it seems. LLVM will instead
956            // put the path supplied to `MCSplitDwarfFile` into the debug info of the final
957            // output(s).
958            split_name.as_c_char_ptr(),
959            split_name.len(),
960            kind,
961            0,
962            tcx.sess.opts.unstable_opts.split_dwarf_inlining,
963            debug_name_table_kind,
964        );
965
966        return unit_metadata;
967    };
968}
969
970/// Creates a `DW_TAG_member` entry inside the DIE represented by the given `type_di_node`.
971fn build_field_di_node<'ll, 'tcx>(
972    cx: &CodegenCx<'ll, 'tcx>,
973    owner: &'ll DIScope,
974    name: &str,
975    layout: TyAndLayout<'tcx>,
976    offset: Size,
977    flags: DIFlags,
978    type_di_node: &'ll DIType,
979    def_id: Option<DefId>,
980) -> &'ll DIType {
981    let (file_metadata, line_number) = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers
982    {
983        file_metadata_from_def_id(cx, def_id)
984    } else {
985        (unknown_file_metadata(cx), UNKNOWN_LINE_NUMBER)
986    };
987    create_member_type(
988        cx,
989        owner,
990        name,
991        file_metadata,
992        line_number,
993        layout,
994        offset,
995        flags,
996        type_di_node,
997    )
998}
999
1000fn create_member_type<'ll, 'tcx>(
1001    cx: &CodegenCx<'ll, 'tcx>,
1002    owner: &'ll DIScope,
1003    name: &str,
1004    file_metadata: &'ll DIType,
1005    line_number: u32,
1006    layout: TyAndLayout<'tcx>,
1007    offset: Size,
1008    flags: DIFlags,
1009    type_di_node: &'ll DIType,
1010) -> &'ll DIType {
1011    unsafe {
1012        llvm::LLVMRustDIBuilderCreateMemberType(
1013            DIB(cx),
1014            owner,
1015            name.as_c_char_ptr(),
1016            name.len(),
1017            file_metadata,
1018            line_number,
1019            layout.size.bits(),
1020            layout.align.abi.bits() as u32,
1021            offset.bits(),
1022            flags,
1023            type_di_node,
1024        )
1025    }
1026}
1027
1028/// Returns the `DIFlags` corresponding to the visibility of the item identified by `did`.
1029///
1030/// `DIFlags::Flag{Public,Protected,Private}` correspond to `DW_AT_accessibility`
1031/// (public/protected/private) aren't exactly right for Rust, but neither is `DW_AT_visibility`
1032/// (local/exported/qualified), and there's no way to set `DW_AT_visibility` in LLVM's API.
1033fn visibility_di_flags<'ll, 'tcx>(
1034    cx: &CodegenCx<'ll, 'tcx>,
1035    did: DefId,
1036    type_did: DefId,
1037) -> DIFlags {
1038    let parent_did = cx.tcx.parent(type_did);
1039    let visibility = cx.tcx.visibility(did);
1040    match visibility {
1041        Visibility::Public => DIFlags::FlagPublic,
1042        // Private fields have a restricted visibility of the module containing the type.
1043        Visibility::Restricted(did) if did == parent_did => DIFlags::FlagPrivate,
1044        // `pub(crate)`/`pub(super)` visibilities are any other restricted visibility.
1045        Visibility::Restricted(..) => DIFlags::FlagProtected,
1046    }
1047}
1048
1049/// Creates the debuginfo node for a Rust struct type. Maybe be a regular struct or a tuple-struct.
1050fn build_struct_type_di_node<'ll, 'tcx>(
1051    cx: &CodegenCx<'ll, 'tcx>,
1052    unique_type_id: UniqueTypeId<'tcx>,
1053) -> DINodeCreationResult<'ll> {
1054    let struct_type = unique_type_id.expect_ty();
1055    let ty::Adt(adt_def, _) = struct_type.kind() else {
1056        bug!("build_struct_type_di_node() called with non-struct-type: {:?}", struct_type);
1057    };
1058    assert!(adt_def.is_struct());
1059    let containing_scope = get_namespace_for_item(cx, adt_def.did());
1060    let struct_type_and_layout = cx.layout_of(struct_type);
1061    let variant_def = adt_def.non_enum_variant();
1062    let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1063        Some(file_metadata_from_def_id(cx, Some(adt_def.did())))
1064    } else {
1065        None
1066    };
1067
1068    type_map::build_type_with_children(
1069        cx,
1070        type_map::stub(
1071            cx,
1072            Stub::Struct,
1073            unique_type_id,
1074            &compute_debuginfo_type_name(cx.tcx, struct_type, false),
1075            def_location,
1076            size_and_align_of(struct_type_and_layout),
1077            Some(containing_scope),
1078            visibility_di_flags(cx, adt_def.did(), adt_def.did()),
1079        ),
1080        // Fields:
1081        |cx, owner| {
1082            variant_def
1083                .fields
1084                .iter()
1085                .enumerate()
1086                .map(|(i, f)| {
1087                    let field_name = if variant_def.ctor_kind() == Some(CtorKind::Fn) {
1088                        // This is a tuple struct
1089                        tuple_field_name(i)
1090                    } else {
1091                        // This is struct with named fields
1092                        Cow::Borrowed(f.name.as_str())
1093                    };
1094                    let field_layout = struct_type_and_layout.field(cx, i);
1095                    let def_id = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1096                        Some(f.did)
1097                    } else {
1098                        None
1099                    };
1100                    build_field_di_node(
1101                        cx,
1102                        owner,
1103                        &field_name[..],
1104                        field_layout,
1105                        struct_type_and_layout.fields.offset(i),
1106                        visibility_di_flags(cx, f.did, adt_def.did()),
1107                        type_di_node(cx, field_layout.ty),
1108                        def_id,
1109                    )
1110                })
1111                .collect()
1112        },
1113        |cx| build_generic_type_param_di_nodes(cx, struct_type),
1114    )
1115}
1116
1117//=-----------------------------------------------------------------------------
1118// Tuples
1119//=-----------------------------------------------------------------------------
1120
1121/// Builds the DW_TAG_member debuginfo nodes for the upvars of a closure or coroutine.
1122/// For a coroutine, this will handle upvars shared by all states.
1123fn build_upvar_field_di_nodes<'ll, 'tcx>(
1124    cx: &CodegenCx<'ll, 'tcx>,
1125    closure_or_coroutine_ty: Ty<'tcx>,
1126    closure_or_coroutine_di_node: &'ll DIType,
1127) -> SmallVec<&'ll DIType> {
1128    let (&def_id, up_var_tys) = match closure_or_coroutine_ty.kind() {
1129        ty::Coroutine(def_id, args) => (def_id, args.as_coroutine().prefix_tys()),
1130        ty::Closure(def_id, args) => (def_id, args.as_closure().upvar_tys()),
1131        ty::CoroutineClosure(def_id, args) => (def_id, args.as_coroutine_closure().upvar_tys()),
1132        _ => {
1133            bug!(
1134                "build_upvar_field_di_nodes() called with non-closure-or-coroutine-type: {:?}",
1135                closure_or_coroutine_ty
1136            )
1137        }
1138    };
1139
1140    assert!(up_var_tys.iter().all(|t| t == cx.tcx.normalize_erasing_regions(cx.typing_env(), t)));
1141
1142    let capture_names = cx.tcx.closure_saved_names_of_captured_variables(def_id);
1143    let layout = cx.layout_of(closure_or_coroutine_ty);
1144
1145    up_var_tys
1146        .into_iter()
1147        .zip(capture_names.iter())
1148        .enumerate()
1149        .map(|(index, (up_var_ty, capture_name))| {
1150            build_field_di_node(
1151                cx,
1152                closure_or_coroutine_di_node,
1153                capture_name.as_str(),
1154                cx.layout_of(up_var_ty),
1155                layout.fields.offset(index),
1156                DIFlags::FlagZero,
1157                type_di_node(cx, up_var_ty),
1158                None,
1159            )
1160        })
1161        .collect()
1162}
1163
1164/// Builds the DW_TAG_structure_type debuginfo node for a Rust tuple type.
1165fn build_tuple_type_di_node<'ll, 'tcx>(
1166    cx: &CodegenCx<'ll, 'tcx>,
1167    unique_type_id: UniqueTypeId<'tcx>,
1168) -> DINodeCreationResult<'ll> {
1169    let tuple_type = unique_type_id.expect_ty();
1170    let &ty::Tuple(component_types) = tuple_type.kind() else {
1171        bug!("build_tuple_type_di_node() called with non-tuple-type: {:?}", tuple_type)
1172    };
1173
1174    let tuple_type_and_layout = cx.layout_of(tuple_type);
1175    let type_name = compute_debuginfo_type_name(cx.tcx, tuple_type, false);
1176
1177    type_map::build_type_with_children(
1178        cx,
1179        type_map::stub(
1180            cx,
1181            Stub::Struct,
1182            unique_type_id,
1183            &type_name,
1184            None,
1185            size_and_align_of(tuple_type_and_layout),
1186            NO_SCOPE_METADATA,
1187            DIFlags::FlagZero,
1188        ),
1189        // Fields:
1190        |cx, tuple_di_node| {
1191            component_types
1192                .into_iter()
1193                .enumerate()
1194                .map(|(index, component_type)| {
1195                    build_field_di_node(
1196                        cx,
1197                        tuple_di_node,
1198                        &tuple_field_name(index),
1199                        cx.layout_of(component_type),
1200                        tuple_type_and_layout.fields.offset(index),
1201                        DIFlags::FlagZero,
1202                        type_di_node(cx, component_type),
1203                        None,
1204                    )
1205                })
1206                .collect()
1207        },
1208        NO_GENERICS,
1209    )
1210}
1211
1212/// Builds the debuginfo node for a closure environment.
1213fn build_closure_env_di_node<'ll, 'tcx>(
1214    cx: &CodegenCx<'ll, 'tcx>,
1215    unique_type_id: UniqueTypeId<'tcx>,
1216) -> DINodeCreationResult<'ll> {
1217    let closure_env_type = unique_type_id.expect_ty();
1218    let &(ty::Closure(def_id, _) | ty::CoroutineClosure(def_id, _)) = closure_env_type.kind()
1219    else {
1220        bug!("build_closure_env_di_node() called with non-closure-type: {:?}", closure_env_type)
1221    };
1222    let containing_scope = get_namespace_for_item(cx, def_id);
1223    let type_name = compute_debuginfo_type_name(cx.tcx, closure_env_type, false);
1224
1225    let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1226        Some(file_metadata_from_def_id(cx, Some(def_id)))
1227    } else {
1228        None
1229    };
1230
1231    type_map::build_type_with_children(
1232        cx,
1233        type_map::stub(
1234            cx,
1235            Stub::Struct,
1236            unique_type_id,
1237            &type_name,
1238            def_location,
1239            cx.size_and_align_of(closure_env_type),
1240            Some(containing_scope),
1241            DIFlags::FlagZero,
1242        ),
1243        // Fields:
1244        |cx, owner| build_upvar_field_di_nodes(cx, closure_env_type, owner),
1245        NO_GENERICS,
1246    )
1247}
1248
1249/// Build the debuginfo node for a Rust `union` type.
1250fn build_union_type_di_node<'ll, 'tcx>(
1251    cx: &CodegenCx<'ll, 'tcx>,
1252    unique_type_id: UniqueTypeId<'tcx>,
1253) -> DINodeCreationResult<'ll> {
1254    let union_type = unique_type_id.expect_ty();
1255    let (union_def_id, variant_def) = match union_type.kind() {
1256        ty::Adt(def, _) => (def.did(), def.non_enum_variant()),
1257        _ => bug!("build_union_type_di_node on a non-ADT"),
1258    };
1259    let containing_scope = get_namespace_for_item(cx, union_def_id);
1260    let union_ty_and_layout = cx.layout_of(union_type);
1261    let type_name = compute_debuginfo_type_name(cx.tcx, union_type, false);
1262    let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1263        Some(file_metadata_from_def_id(cx, Some(union_def_id)))
1264    } else {
1265        None
1266    };
1267
1268    type_map::build_type_with_children(
1269        cx,
1270        type_map::stub(
1271            cx,
1272            Stub::Union,
1273            unique_type_id,
1274            &type_name,
1275            def_location,
1276            size_and_align_of(union_ty_and_layout),
1277            Some(containing_scope),
1278            DIFlags::FlagZero,
1279        ),
1280        // Fields:
1281        |cx, owner| {
1282            variant_def
1283                .fields
1284                .iter()
1285                .enumerate()
1286                .map(|(i, f)| {
1287                    let field_layout = union_ty_and_layout.field(cx, i);
1288                    let def_id = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1289                        Some(f.did)
1290                    } else {
1291                        None
1292                    };
1293                    build_field_di_node(
1294                        cx,
1295                        owner,
1296                        f.name.as_str(),
1297                        field_layout,
1298                        Size::ZERO,
1299                        DIFlags::FlagZero,
1300                        type_di_node(cx, field_layout.ty),
1301                        def_id,
1302                    )
1303                })
1304                .collect()
1305        },
1306        // Generics:
1307        |cx| build_generic_type_param_di_nodes(cx, union_type),
1308    )
1309}
1310
1311/// Computes the type parameters for a type, if any, for the given metadata.
1312fn build_generic_type_param_di_nodes<'ll, 'tcx>(
1313    cx: &CodegenCx<'ll, 'tcx>,
1314    ty: Ty<'tcx>,
1315) -> SmallVec<Option<&'ll DIType>> {
1316    if let ty::Adt(def, args) = *ty.kind() {
1317        let generics = cx.tcx.generics_of(def.did());
1318        return get_template_parameters(cx, generics, args);
1319    }
1320
1321    return smallvec![];
1322}
1323
1324pub(super) fn get_template_parameters<'ll, 'tcx>(
1325    cx: &CodegenCx<'ll, 'tcx>,
1326    generics: &ty::Generics,
1327    args: ty::GenericArgsRef<'tcx>,
1328) -> SmallVec<Option<&'ll DIType>> {
1329    if args.types().next().is_some() {
1330        let names = get_parameter_names(cx, generics);
1331        let template_params: SmallVec<_> = iter::zip(args, names)
1332            .filter_map(|(kind, name)| {
1333                kind.as_type().map(|ty| {
1334                    let actual_type = cx.tcx.normalize_erasing_regions(cx.typing_env(), ty);
1335                    let actual_type_di_node = type_di_node(cx, actual_type);
1336                    Some(cx.create_template_type_parameter(name.as_str(), actual_type_di_node))
1337                })
1338            })
1339            .collect();
1340
1341        return template_params;
1342    }
1343
1344    return smallvec![];
1345
1346    fn get_parameter_names(cx: &CodegenCx<'_, '_>, generics: &ty::Generics) -> Vec<Symbol> {
1347        let mut names = generics
1348            .parent
1349            .map_or_else(Vec::new, |def_id| get_parameter_names(cx, cx.tcx.generics_of(def_id)));
1350        names.extend(generics.own_params.iter().map(|param| param.name));
1351        names
1352    }
1353}
1354
1355/// Creates debug information for the given global variable.
1356///
1357/// Adds the created debuginfo nodes directly to the crate's IR.
1358pub(crate) fn build_global_var_di_node<'ll>(
1359    cx: &CodegenCx<'ll, '_>,
1360    def_id: DefId,
1361    global: &'ll Value,
1362) {
1363    if cx.dbg_cx.is_none() {
1364        return;
1365    }
1366
1367    // Only create type information if full debuginfo is enabled
1368    if cx.sess().opts.debuginfo != DebugInfo::Full {
1369        return;
1370    }
1371
1372    let tcx = cx.tcx;
1373
1374    // We may want to remove the namespace scope if we're in an extern block (see
1375    // https://github.com/rust-lang/rust/pull/46457#issuecomment-351750952).
1376    let var_scope = get_namespace_for_item(cx, def_id);
1377    let (file_metadata, line_number) = file_metadata_from_def_id(cx, Some(def_id));
1378
1379    let is_local_to_unit = is_node_local_to_unit(cx, def_id);
1380
1381    let DefKind::Static { nested, .. } = cx.tcx.def_kind(def_id) else { bug!() };
1382    if nested {
1383        return;
1384    }
1385    let variable_type = Instance::mono(cx.tcx, def_id).ty(cx.tcx, cx.typing_env());
1386    let type_di_node = type_di_node(cx, variable_type);
1387    let var_name = tcx.item_name(def_id);
1388    let var_name = var_name.as_str();
1389    let linkage_name = mangled_name_of_instance(cx, Instance::mono(tcx, def_id)).name;
1390    // When empty, linkage_name field is omitted,
1391    // which is what we want for no_mangle statics
1392    let linkage_name = if var_name == linkage_name { "" } else { linkage_name };
1393
1394    let global_align = cx.align_of(variable_type);
1395
1396    unsafe {
1397        llvm::LLVMRustDIBuilderCreateStaticVariable(
1398            DIB(cx),
1399            Some(var_scope),
1400            var_name.as_c_char_ptr(),
1401            var_name.len(),
1402            linkage_name.as_c_char_ptr(),
1403            linkage_name.len(),
1404            file_metadata,
1405            line_number,
1406            type_di_node,
1407            is_local_to_unit,
1408            global,
1409            None,
1410            global_align.bits() as u32,
1411        );
1412    }
1413}
1414
1415/// Generates LLVM debuginfo for a vtable.
1416///
1417/// The vtable type looks like a struct with a field for each function pointer and super-trait
1418/// pointer it contains (plus the `size` and `align` fields).
1419///
1420/// Except for `size`, `align`, and `drop_in_place`, the field names don't try to mirror
1421/// the name of the method they implement. This can be implemented in the future once there
1422/// is a proper disambiguation scheme for dealing with methods from different traits that have
1423/// the same name.
1424fn build_vtable_type_di_node<'ll, 'tcx>(
1425    cx: &CodegenCx<'ll, 'tcx>,
1426    ty: Ty<'tcx>,
1427    poly_trait_ref: Option<ty::ExistentialTraitRef<'tcx>>,
1428) -> &'ll DIType {
1429    let tcx = cx.tcx;
1430
1431    let vtable_entries = if let Some(poly_trait_ref) = poly_trait_ref {
1432        let trait_ref = poly_trait_ref.with_self_ty(tcx, ty);
1433        let trait_ref = tcx.erase_regions(trait_ref);
1434
1435        tcx.vtable_entries(trait_ref)
1436    } else {
1437        TyCtxt::COMMON_VTABLE_ENTRIES
1438    };
1439
1440    // All function pointers are described as opaque pointers. This could be improved in the future
1441    // by describing them as actual function pointers.
1442    let void_pointer_ty = Ty::new_imm_ptr(tcx, tcx.types.unit);
1443    let void_pointer_type_di_node = type_di_node(cx, void_pointer_ty);
1444    let usize_di_node = type_di_node(cx, tcx.types.usize);
1445    let pointer_layout = cx.layout_of(void_pointer_ty);
1446    let pointer_size = pointer_layout.size;
1447    let pointer_align = pointer_layout.align.abi;
1448    // If `usize` is not pointer-sized and -aligned then the size and alignment computations
1449    // for the vtable as a whole would be wrong. Let's make sure this holds even on weird
1450    // platforms.
1451    assert_eq!(cx.size_and_align_of(tcx.types.usize), (pointer_size, pointer_align));
1452
1453    let vtable_type_name =
1454        compute_debuginfo_vtable_name(cx.tcx, ty, poly_trait_ref, VTableNameKind::Type);
1455    let unique_type_id = UniqueTypeId::for_vtable_ty(tcx, ty, poly_trait_ref);
1456    let size = pointer_size * vtable_entries.len() as u64;
1457
1458    // This gets mapped to a DW_AT_containing_type attribute which allows GDB to correlate
1459    // the vtable to the type it is for.
1460    let vtable_holder = type_di_node(cx, ty);
1461
1462    build_type_with_children(
1463        cx,
1464        type_map::stub(
1465            cx,
1466            Stub::VTableTy { vtable_holder },
1467            unique_type_id,
1468            &vtable_type_name,
1469            None,
1470            (size, pointer_align),
1471            NO_SCOPE_METADATA,
1472            DIFlags::FlagArtificial,
1473        ),
1474        |cx, vtable_type_di_node| {
1475            vtable_entries
1476                .iter()
1477                .enumerate()
1478                .filter_map(|(index, vtable_entry)| {
1479                    let (field_name, field_type_di_node) = match vtable_entry {
1480                        ty::VtblEntry::MetadataDropInPlace => {
1481                            ("drop_in_place".to_string(), void_pointer_type_di_node)
1482                        }
1483                        ty::VtblEntry::Method(_) => {
1484                            // Note: This code does not try to give a proper name to each method
1485                            //       because their might be multiple methods with the same name
1486                            //       (coming from different traits).
1487                            (format!("__method{index}"), void_pointer_type_di_node)
1488                        }
1489                        ty::VtblEntry::TraitVPtr(_) => {
1490                            (format!("__super_trait_ptr{index}"), void_pointer_type_di_node)
1491                        }
1492                        ty::VtblEntry::MetadataAlign => ("align".to_string(), usize_di_node),
1493                        ty::VtblEntry::MetadataSize => ("size".to_string(), usize_di_node),
1494                        ty::VtblEntry::Vacant => return None,
1495                    };
1496
1497                    let field_offset = pointer_size * index as u64;
1498
1499                    Some(build_field_di_node(
1500                        cx,
1501                        vtable_type_di_node,
1502                        &field_name,
1503                        pointer_layout,
1504                        field_offset,
1505                        DIFlags::FlagZero,
1506                        field_type_di_node,
1507                        None,
1508                    ))
1509                })
1510                .collect()
1511        },
1512        NO_GENERICS,
1513    )
1514    .di_node
1515}
1516
1517/// Get the global variable for the vtable.
1518///
1519/// When using global variables, we may have created an addrspacecast to get a pointer to the
1520/// default address space if global variables are created in a different address space.
1521/// For modifying the vtable, we need the real global variable. This function accepts either a
1522/// global variable (which is simply returned), or an addrspacecast constant expression.
1523/// If the given value is an addrspacecast, the cast is removed and the global variable behind
1524/// the cast is returned.
1525fn find_vtable_behind_cast<'ll>(vtable: &'ll Value) -> &'ll Value {
1526    // The vtable is a global variable, which may be behind an addrspacecast.
1527    unsafe {
1528        if let Some(c) = llvm::LLVMIsAConstantExpr(vtable) {
1529            if llvm::LLVMGetConstOpcode(c) == llvm::Opcode::AddrSpaceCast {
1530                return llvm::LLVMGetOperand(c, 0).unwrap();
1531            }
1532        }
1533    }
1534    vtable
1535}
1536
1537pub(crate) fn apply_vcall_visibility_metadata<'ll, 'tcx>(
1538    cx: &CodegenCx<'ll, 'tcx>,
1539    ty: Ty<'tcx>,
1540    trait_ref: Option<ExistentialTraitRef<'tcx>>,
1541    vtable: &'ll Value,
1542) {
1543    // FIXME(flip1995): The virtual function elimination optimization only works with full LTO in
1544    // LLVM at the moment.
1545    if !cx.sess().opts.unstable_opts.virtual_function_elimination || cx.sess().lto() != Lto::Fat {
1546        return;
1547    }
1548
1549    enum VCallVisibility {
1550        Public = 0,
1551        LinkageUnit = 1,
1552        TranslationUnit = 2,
1553    }
1554
1555    let Some(trait_ref) = trait_ref else { return };
1556
1557    // Unwrap potential addrspacecast
1558    let vtable = find_vtable_behind_cast(vtable);
1559    let trait_ref_self = trait_ref.with_self_ty(cx.tcx, ty);
1560    let trait_ref_self = cx.tcx.erase_regions(trait_ref_self);
1561    let trait_def_id = trait_ref_self.def_id;
1562    let trait_vis = cx.tcx.visibility(trait_def_id);
1563
1564    let cgus = cx.sess().codegen_units().as_usize();
1565    let single_cgu = cgus == 1;
1566
1567    let lto = cx.sess().lto();
1568
1569    // Since LLVM requires full LTO for the virtual function elimination optimization to apply,
1570    // only the `Lto::Fat` cases are relevant currently.
1571    let vcall_visibility = match (lto, trait_vis, single_cgu) {
1572        // If there is not LTO and the visibility in public, we have to assume that the vtable can
1573        // be seen from anywhere. With multiple CGUs, the vtable is quasi-public.
1574        (Lto::No | Lto::ThinLocal, Visibility::Public, _)
1575        | (Lto::No, Visibility::Restricted(_), false) => VCallVisibility::Public,
1576        // With LTO and a quasi-public visibility, the usages of the functions of the vtable are
1577        // all known by the `LinkageUnit`.
1578        // FIXME: LLVM only supports this optimization for `Lto::Fat` currently. Once it also
1579        // supports `Lto::Thin` the `VCallVisibility` may have to be adjusted for those.
1580        (Lto::Fat | Lto::Thin, Visibility::Public, _)
1581        | (Lto::ThinLocal | Lto::Thin | Lto::Fat, Visibility::Restricted(_), false) => {
1582            VCallVisibility::LinkageUnit
1583        }
1584        // If there is only one CGU, private vtables can only be seen by that CGU/translation unit
1585        // and therefore we know of all usages of functions in the vtable.
1586        (_, Visibility::Restricted(_), true) => VCallVisibility::TranslationUnit,
1587    };
1588
1589    let trait_ref_typeid = typeid_for_trait_ref(cx.tcx, trait_ref);
1590
1591    unsafe {
1592        let typeid = llvm::LLVMMDStringInContext2(
1593            cx.llcx,
1594            trait_ref_typeid.as_ptr() as *const c_char,
1595            trait_ref_typeid.as_bytes().len(),
1596        );
1597        let v = [llvm::LLVMValueAsMetadata(cx.const_usize(0)), typeid];
1598        llvm::LLVMRustGlobalAddMetadata(
1599            vtable,
1600            llvm::MD_type as c_uint,
1601            llvm::LLVMMDNodeInContext2(cx.llcx, v.as_ptr(), v.len()),
1602        );
1603        let vcall_visibility = llvm::LLVMValueAsMetadata(cx.const_u64(vcall_visibility as u64));
1604        let vcall_visibility_metadata = llvm::LLVMMDNodeInContext2(cx.llcx, &vcall_visibility, 1);
1605        llvm::LLVMGlobalSetMetadata(
1606            vtable,
1607            llvm::MetadataType::MD_vcall_visibility as c_uint,
1608            vcall_visibility_metadata,
1609        );
1610    }
1611}
1612
1613/// Creates debug information for the given vtable, which is for the
1614/// given type.
1615///
1616/// Adds the created metadata nodes directly to the crate's IR.
1617pub(crate) fn create_vtable_di_node<'ll, 'tcx>(
1618    cx: &CodegenCx<'ll, 'tcx>,
1619    ty: Ty<'tcx>,
1620    poly_trait_ref: Option<ty::ExistentialTraitRef<'tcx>>,
1621    vtable: &'ll Value,
1622) {
1623    if cx.dbg_cx.is_none() {
1624        return;
1625    }
1626
1627    // Only create type information if full debuginfo is enabled
1628    if cx.sess().opts.debuginfo != DebugInfo::Full {
1629        return;
1630    }
1631
1632    // Unwrap potential addrspacecast
1633    let vtable = find_vtable_behind_cast(vtable);
1634
1635    // When full debuginfo is enabled, we want to try and prevent vtables from being
1636    // merged. Otherwise debuggers will have a hard time mapping from dyn pointer
1637    // to concrete type.
1638    llvm::SetUnnamedAddress(vtable, llvm::UnnamedAddr::No);
1639
1640    let vtable_name =
1641        compute_debuginfo_vtable_name(cx.tcx, ty, poly_trait_ref, VTableNameKind::GlobalVariable);
1642    let vtable_type_di_node = build_vtable_type_di_node(cx, ty, poly_trait_ref);
1643    let linkage_name = "";
1644
1645    unsafe {
1646        llvm::LLVMRustDIBuilderCreateStaticVariable(
1647            DIB(cx),
1648            NO_SCOPE_METADATA,
1649            vtable_name.as_c_char_ptr(),
1650            vtable_name.len(),
1651            linkage_name.as_c_char_ptr(),
1652            linkage_name.len(),
1653            unknown_file_metadata(cx),
1654            UNKNOWN_LINE_NUMBER,
1655            vtable_type_di_node,
1656            true,
1657            vtable,
1658            None,
1659            0,
1660        );
1661    }
1662}
1663
1664/// Creates an "extension" of an existing `DIScope` into another file.
1665pub(crate) fn extend_scope_to_file<'ll>(
1666    cx: &CodegenCx<'ll, '_>,
1667    scope_metadata: &'ll DIScope,
1668    file: &SourceFile,
1669) -> &'ll DILexicalBlock {
1670    let file_metadata = file_metadata(cx, file);
1671    unsafe {
1672        llvm::LLVMDIBuilderCreateLexicalBlockFile(
1673            DIB(cx),
1674            scope_metadata,
1675            file_metadata,
1676            /* Discriminator (default) */ 0u32,
1677        )
1678    }
1679}
1680
1681fn tuple_field_name(field_index: usize) -> Cow<'static, str> {
1682    const TUPLE_FIELD_NAMES: [&'static str; 16] = [
1683        "__0", "__1", "__2", "__3", "__4", "__5", "__6", "__7", "__8", "__9", "__10", "__11",
1684        "__12", "__13", "__14", "__15",
1685    ];
1686    TUPLE_FIELD_NAMES
1687        .get(field_index)
1688        .map(|s| Cow::from(*s))
1689        .unwrap_or_else(|| Cow::from(format!("__{field_index}")))
1690}
1691
1692pub(crate) type DefinitionLocation<'ll> = (&'ll DIFile, c_uint);
1693
1694pub(crate) fn file_metadata_from_def_id<'ll>(
1695    cx: &CodegenCx<'ll, '_>,
1696    def_id: Option<DefId>,
1697) -> DefinitionLocation<'ll> {
1698    if let Some(def_id) = def_id
1699        && let span = hygiene::walk_chain_collapsed(cx.tcx.def_span(def_id), DUMMY_SP)
1700        && !span.is_dummy()
1701    {
1702        let loc = cx.lookup_debug_loc(span.lo());
1703        (file_metadata(cx, &loc.file), loc.line)
1704    } else {
1705        (unknown_file_metadata(cx), UNKNOWN_LINE_NUMBER)
1706    }
1707}