1use std::borrow::Cow;
2use std::fmt::{self, Write};
3use std::hash::{Hash, Hasher};
4use std::path::PathBuf;
5use std::sync::Arc;
6use std::{iter, ptr};
7
8use libc::{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, RemapPathScopeComponents, SourceFile, Span, 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::{DIB, debug_context, get_namespace_for_item, is_node_local_to_unit};
34use crate::common::{AsCCharPtr, CodegenCx};
35use crate::debuginfo::metadata::type_map::build_type_with_children;
36use crate::debuginfo::utils::{WidePtrKind, wide_pointer_kind};
37use crate::debuginfo::{DIBuilderExt, dwarf_const};
38use crate::llvm::debuginfo::{
39 DIBasicType, DIBuilder, DICompositeType, DIDescriptor, DIFile, DIFlags, DILexicalBlock,
40 DIScope, DIType, DebugEmissionKind, DebugNameTableKind,
41};
42use crate::llvm::{self, FromGeneric, Value};
43
44impl PartialEq for llvm::Metadata {
45 fn eq(&self, other: &Self) -> bool {
46 ptr::eq(self, other)
47 }
48}
49
50impl Eq for llvm::Metadata {}
51
52impl Hash for llvm::Metadata {
53 fn hash<H: Hasher>(&self, hasher: &mut H) {
54 (self as *const Self).hash(hasher);
55 }
56}
57
58impl fmt::Debug for llvm::Metadata {
59 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
60 (self as *const Self).fmt(f)
61 }
62}
63
64pub(super) const UNKNOWN_LINE_NUMBER: c_uint = 0;
65pub(super) const UNKNOWN_COLUMN_NUMBER: c_uint = 0;
66
67const NO_SCOPE_METADATA: Option<&DIScope> = None;
68const NO_GENERICS: for<'ll> fn(&CodegenCx<'ll, '_>) -> SmallVec<Option<&'ll DIType>> =
70 |_| SmallVec::new();
71
72type SmallVec<T> = smallvec::SmallVec<[T; 16]>;
75
76mod enums;
77mod type_map;
78
79macro_rules! return_if_di_node_created_in_meantime {
82 ($cx: expr, $unique_type_id: expr) => {
83 if let Some(di_node) = debug_context($cx).type_map.di_node_for_unique_id($unique_type_id) {
84 return DINodeCreationResult::new(di_node, true);
85 }
86 };
87}
88
89#[inline]
91fn size_and_align_of(ty_and_layout: TyAndLayout<'_>) -> (Size, Align) {
92 (ty_and_layout.size, ty_and_layout.align.abi)
93}
94
95fn build_fixed_size_array_di_node<'ll, 'tcx>(
98 cx: &CodegenCx<'ll, 'tcx>,
99 unique_type_id: UniqueTypeId<'tcx>,
100 array_type: Ty<'tcx>,
101 span: Span,
102) -> DINodeCreationResult<'ll> {
103 let ty::Array(element_type, len) = array_type.kind() else {
104 ::rustc_middle::util::bug::bug_fmt(format_args!("build_fixed_size_array_di_node() called with non-ty::Array type `{0:?}`",
array_type))bug!("build_fixed_size_array_di_node() called with non-ty::Array type `{:?}`", array_type)
105 };
106
107 let element_type_di_node = spanned_type_di_node(cx, *element_type, span);
108
109 if let Some(di_node) =
debug_context(cx).type_map.di_node_for_unique_id(unique_type_id) {
return DINodeCreationResult::new(di_node, true);
};return_if_di_node_created_in_meantime!(cx, unique_type_id);
110
111 let (size, align) = cx.spanned_size_and_align_of(array_type, span);
112
113 let upper_bound = len
114 .try_to_target_usize(cx.tcx)
115 .expect("expected monomorphic const in codegen") as c_longlong;
116
117 let subrange = unsafe { llvm::LLVMDIBuilderGetOrCreateSubrange(DIB(cx), 0, upper_bound) };
118 let subscripts = &[subrange];
119
120 let di_node = unsafe {
121 llvm::LLVMDIBuilderCreateArrayType(
122 DIB(cx),
123 size.bits(),
124 align.bits() as u32,
125 element_type_di_node,
126 subscripts.as_ptr(),
127 subscripts.len() as c_uint,
128 )
129 };
130
131 DINodeCreationResult::new(di_node, false)
132}
133
134fn build_pointer_or_reference_di_node<'ll, 'tcx>(
143 cx: &CodegenCx<'ll, 'tcx>,
144 ptr_type: Ty<'tcx>,
145 pointee_type: Ty<'tcx>,
146 unique_type_id: UniqueTypeId<'tcx>,
147) -> DINodeCreationResult<'ll> {
148 match (&cx.size_and_align_of(ptr_type),
&cx.size_and_align_of(Ty::new_mut_ptr(cx.tcx, pointee_type))) {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(
151 cx.size_and_align_of(ptr_type),
152 cx.size_and_align_of(Ty::new_mut_ptr(cx.tcx, pointee_type))
153 );
154
155 let pointee_type_di_node = type_di_node(cx, pointee_type);
156
157 if let Some(di_node) =
debug_context(cx).type_map.di_node_for_unique_id(unique_type_id) {
return DINodeCreationResult::new(di_node, true);
};return_if_di_node_created_in_meantime!(cx, unique_type_id);
158
159 let data_layout = &cx.tcx.data_layout;
160 let pointer_size = data_layout.pointer_size();
161 let pointer_align = data_layout.pointer_align();
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 match (&(pointer_size, pointer_align.abi), &cx.size_and_align_of(ptr_type)) {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::Some(format_args!("ptr_type={0}, pointee_type={1}",
ptr_type, pointee_type)));
}
}
};assert_eq!(
168 (pointer_size, 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 = create_pointer_type(
174 cx,
175 pointee_type_di_node,
176 pointer_size,
177 pointer_align.abi,
178 &ptr_type_debuginfo_name,
179 );
180
181 DINodeCreationResult { di_node, already_stored_in_typemap: false }
182 }
183 Some(wide_pointer_kind) => {
184 type_map::build_type_with_children(
185 cx,
186 type_map::stub(
187 cx,
188 Stub::Struct,
189 unique_type_id,
190 &ptr_type_debuginfo_name,
191 None,
192 cx.size_and_align_of(ptr_type),
193 NO_SCOPE_METADATA,
194 DIFlags::FlagZero,
195 ),
196 |cx, owner| {
197 let layout_type = if ptr_type.is_box() {
205 Ty::new_mut_ptr(cx.tcx, pointee_type)
209 } else {
210 ptr_type
211 };
212
213 let layout = cx.layout_of(layout_type);
214 let addr_field = layout.field(cx, WIDE_PTR_ADDR);
215 let extra_field = layout.field(cx, WIDE_PTR_EXTRA);
216
217 let (addr_field_name, extra_field_name) = match wide_pointer_kind {
218 WidePtrKind::Dyn => ("pointer", "vtable"),
219 WidePtrKind::Slice => ("data_ptr", "length"),
220 };
221
222 match (&WIDE_PTR_ADDR, &0) {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(WIDE_PTR_ADDR, 0);
223 match (&WIDE_PTR_EXTRA, &1) {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(WIDE_PTR_EXTRA, 1);
224
225 let data_ptr_type_di_node = create_pointer_type(
228 cx,
229 pointee_type_di_node,
230 addr_field.size,
231 addr_field.align.abi,
232 "",
233 );
234
235 {
let count = 0usize + 1usize + 1usize;
let mut vec = ::smallvec::SmallVec::new();
if count <= vec.inline_size() {
vec.push(build_field_di_node(cx, owner, addr_field_name, addr_field,
layout.fields.offset(WIDE_PTR_ADDR), DIFlags::FlagZero,
data_ptr_type_di_node, None));
vec.push(build_field_di_node(cx, owner, extra_field_name, extra_field,
layout.fields.offset(WIDE_PTR_EXTRA), DIFlags::FlagZero,
type_di_node(cx, extra_field.ty), None));
vec
} else {
::smallvec::SmallVec::from_vec(::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[build_field_di_node(cx, owner, addr_field_name, addr_field,
layout.fields.offset(WIDE_PTR_ADDR), DIFlags::FlagZero,
data_ptr_type_di_node, None),
build_field_di_node(cx, owner, extra_field_name,
extra_field, layout.fields.offset(WIDE_PTR_EXTRA),
DIFlags::FlagZero, type_di_node(cx, extra_field.ty),
None)])))
}
}smallvec![
236 build_field_di_node(
237 cx,
238 owner,
239 addr_field_name,
240 addr_field,
241 layout.fields.offset(WIDE_PTR_ADDR),
242 DIFlags::FlagZero,
243 data_ptr_type_di_node,
244 None,
245 ),
246 build_field_di_node(
247 cx,
248 owner,
249 extra_field_name,
250 extra_field,
251 layout.fields.offset(WIDE_PTR_EXTRA),
252 DIFlags::FlagZero,
253 type_di_node(cx, extra_field.ty),
254 None,
255 ),
256 ]
257 },
258 NO_GENERICS,
259 )
260 }
261 }
262}
263
264fn build_subroutine_type_di_node<'ll, 'tcx>(
265 cx: &CodegenCx<'ll, 'tcx>,
266 unique_type_id: UniqueTypeId<'tcx>,
267) -> DINodeCreationResult<'ll> {
268 debug_context(cx)
281 .type_map
282 .unique_id_to_di_node
283 .borrow_mut()
284 .insert(unique_type_id, recursion_marker_type_di_node(cx));
285
286 let fn_ty = unique_type_id.expect_ty();
287 let signature =
288 cx.tcx.normalize_erasing_late_bound_regions(cx.typing_env(), fn_ty.fn_sig(cx.tcx));
289
290 let signature_di_nodes: SmallVec<_> = iter::once(
291 match signature.output().kind() {
293 ty::Tuple(tys) if tys.is_empty() => {
294 None
296 }
297 _ => Some(type_di_node(cx, signature.output())),
298 },
299 )
300 .chain(
301 signature.inputs().iter().map(|&argument_type| Some(type_di_node(cx, argument_type))),
303 )
304 .collect();
305
306 debug_context(cx).type_map.unique_id_to_di_node.borrow_mut().remove(&unique_type_id);
307
308 let fn_di_node = create_subroutine_type(cx, &signature_di_nodes[..]);
309
310 let name = compute_debuginfo_type_name(cx.tcx, fn_ty, false);
312 let (size, align) = match fn_ty.kind() {
313 ty::FnDef(..) => (Size::ZERO, Align::ONE),
314 ty::FnPtr(..) => {
315 (cx.tcx.data_layout.pointer_size(), cx.tcx.data_layout.pointer_align().abi)
316 }
317 _ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
318 };
319 let di_node = create_pointer_type(cx, fn_di_node, size, align, &name);
320
321 DINodeCreationResult::new(di_node, false)
322}
323
324pub(super) fn create_subroutine_type<'ll>(
325 cx: &CodegenCx<'ll, '_>,
326 signature: &[Option<&'ll llvm::Metadata>],
327) -> &'ll DICompositeType {
328 unsafe {
329 llvm::LLVMDIBuilderCreateSubroutineType(
330 DIB(cx),
331 None, signature.as_ptr(),
333 signature.len() as c_uint,
334 DIFlags::FlagZero, )
336 }
337}
338
339fn create_pointer_type<'ll>(
340 cx: &CodegenCx<'ll, '_>,
341 pointee_ty: &'ll llvm::Metadata,
342 size: Size,
343 align: Align,
344 name: &str,
345) -> &'ll llvm::Metadata {
346 unsafe {
347 llvm::LLVMDIBuilderCreatePointerType(
348 DIB(cx),
349 pointee_ty,
350 size.bits(),
351 align.bits() as u32,
352 0, name.as_ptr(),
354 name.len(),
355 )
356 }
357}
358
359fn build_dyn_type_di_node<'ll, 'tcx>(
362 cx: &CodegenCx<'ll, 'tcx>,
363 dyn_type: Ty<'tcx>,
364 unique_type_id: UniqueTypeId<'tcx>,
365) -> DINodeCreationResult<'ll> {
366 if let ty::Dynamic(..) = dyn_type.kind() {
367 let type_name = compute_debuginfo_type_name(cx.tcx, dyn_type, true);
368 type_map::build_type_with_children(
369 cx,
370 type_map::stub(
371 cx,
372 Stub::Struct,
373 unique_type_id,
374 &type_name,
375 None,
376 cx.size_and_align_of(dyn_type),
377 NO_SCOPE_METADATA,
378 DIFlags::FlagZero,
379 ),
380 |_, _| ::smallvec::SmallVec::new()smallvec![],
381 NO_GENERICS,
382 )
383 } else {
384 ::rustc_middle::util::bug::bug_fmt(format_args!("Only ty::Dynamic is valid for build_dyn_type_di_node(). Found {0:?} instead.",
dyn_type))bug!(
385 "Only ty::Dynamic is valid for build_dyn_type_di_node(). Found {:?} instead.",
386 dyn_type
387 )
388 }
389}
390
391fn build_slice_type_di_node<'ll, 'tcx>(
409 cx: &CodegenCx<'ll, 'tcx>,
410 slice_type: Ty<'tcx>,
411 unique_type_id: UniqueTypeId<'tcx>,
412) -> DINodeCreationResult<'ll> {
413 let element_type = match slice_type.kind() {
414 ty::Slice(element_type) => *element_type,
415 ty::Str => cx.tcx.types.u8,
416 _ => {
417 ::rustc_middle::util::bug::bug_fmt(format_args!("Only ty::Slice is valid for build_slice_type_di_node(). Found {0:?} instead.",
slice_type))bug!(
418 "Only ty::Slice is valid for build_slice_type_di_node(). Found {:?} instead.",
419 slice_type
420 )
421 }
422 };
423
424 let element_type_di_node = type_di_node(cx, element_type);
425 if let Some(di_node) =
debug_context(cx).type_map.di_node_for_unique_id(unique_type_id) {
return DINodeCreationResult::new(di_node, true);
};return_if_di_node_created_in_meantime!(cx, unique_type_id);
426 DINodeCreationResult { di_node: element_type_di_node, already_stored_in_typemap: false }
427}
428
429pub(crate) fn type_di_node<'ll, 'tcx>(cx: &CodegenCx<'ll, 'tcx>, t: Ty<'tcx>) -> &'ll DIType {
434 spanned_type_di_node(cx, t, DUMMY_SP)
435}
436
437pub(crate) fn spanned_type_di_node<'ll, 'tcx>(
438 cx: &CodegenCx<'ll, 'tcx>,
439 t: Ty<'tcx>,
440 span: Span,
441) -> &'ll DIType {
442 let unique_type_id = UniqueTypeId::for_ty(cx.tcx, t);
443
444 if let Some(existing_di_node) = debug_context(cx).type_map.di_node_for_unique_id(unique_type_id)
445 {
446 return existing_di_node;
447 }
448
449 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:449",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(449u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("type_di_node: {0:?} kind: {1:?}",
t, t.kind()) as &dyn Value))])
});
} else { ; }
};debug!("type_di_node: {:?} kind: {:?}", t, t.kind());
450
451 let DINodeCreationResult { di_node, already_stored_in_typemap } = match *t.kind() {
452 ty::Never | ty::Bool | ty::Char | ty::Int(_) | ty::Uint(_) | ty::Float(_) => {
453 build_basic_type_di_node(cx, t)
454 }
455 ty::Tuple(elements) if elements.is_empty() => build_basic_type_di_node(cx, t),
456 ty::Array(..) => build_fixed_size_array_di_node(cx, unique_type_id, t, span),
457 ty::Slice(_) | ty::Str => build_slice_type_di_node(cx, t, unique_type_id),
458 ty::Dynamic(..) => build_dyn_type_di_node(cx, t, unique_type_id),
459 ty::Foreign(..) => build_foreign_type_di_node(cx, t, unique_type_id),
460 ty::RawPtr(pointee_type, _) | ty::Ref(_, pointee_type, _) => {
461 build_pointer_or_reference_di_node(cx, t, pointee_type, unique_type_id)
462 }
463 ty::Adt(def, args)
467 if def.is_box()
468 && args.get(1).is_none_or(|arg| cx.layout_of(arg.expect_ty()).is_1zst()) =>
469 {
470 build_pointer_or_reference_di_node(cx, t, t.expect_boxed_ty(), unique_type_id)
471 }
472 ty::FnDef(..) | ty::FnPtr(..) => build_subroutine_type_di_node(cx, unique_type_id),
473 ty::Closure(..) => build_closure_env_di_node(cx, unique_type_id),
474 ty::CoroutineClosure(..) => build_closure_env_di_node(cx, unique_type_id),
475 ty::Coroutine(..) => enums::build_coroutine_di_node(cx, unique_type_id),
476 ty::Adt(def, ..) => match def.adt_kind() {
477 AdtKind::Struct => build_struct_type_di_node(cx, unique_type_id, span),
478 AdtKind::Union => build_union_type_di_node(cx, unique_type_id, span),
479 AdtKind::Enum => enums::build_enum_type_di_node(cx, unique_type_id, span),
480 },
481 ty::Tuple(_) => build_tuple_type_di_node(cx, unique_type_id),
482 ty::Pat(base, _) => return type_di_node(cx, base),
483 ty::UnsafeBinder(_) => build_unsafe_binder_type_di_node(cx, t, unique_type_id),
484 ty::Alias(..)
485 | ty::Param(_)
486 | ty::Bound(..)
487 | ty::Infer(_)
488 | ty::Placeholder(_)
489 | ty::CoroutineWitness(..)
490 | ty::Error(_) => {
491 ::rustc_middle::util::bug::bug_fmt(format_args!("debuginfo: unexpected type in type_di_node(): {0:?}",
t))bug!("debuginfo: unexpected type in type_di_node(): {:?}", t)
492 }
493 };
494
495 {
496 if already_stored_in_typemap {
497 let di_node_for_uid =
499 match debug_context(cx).type_map.di_node_for_unique_id(unique_type_id) {
500 Some(di_node) => di_node,
501 None => {
502 ::rustc_middle::util::bug::bug_fmt(format_args!("expected type debuginfo node for unique type ID \'{0:?}\' to already be in the `debuginfo::TypeMap` but it was not.",
unique_type_id));bug!(
503 "expected type debuginfo node for unique \
504 type ID '{:?}' to already be in \
505 the `debuginfo::TypeMap` but it \
506 was not.",
507 unique_type_id,
508 );
509 }
510 };
511
512 match (&(di_node_for_uid as *const _), &(di_node as *const _)) {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(di_node_for_uid as *const _, di_node as *const _);
513 } else {
514 debug_context(cx).type_map.insert(unique_type_id, di_node);
515 }
516 }
517
518 di_node
519}
520
521fn recursion_marker_type_di_node<'ll, 'tcx>(cx: &CodegenCx<'ll, 'tcx>) -> &'ll DIType {
523 *debug_context(cx).recursion_marker_type.get_or_init(move || {
524 create_basic_type(
535 cx,
536 "<recur_type>",
537 cx.tcx.data_layout.pointer_size(),
538 dwarf_const::DW_ATE_unsigned,
539 )
540 })
541}
542
543fn hex_encode(data: &[u8]) -> String {
544 let mut hex_string = String::with_capacity(data.len() * 2);
545 for byte in data.iter() {
546 (&mut hex_string).write_fmt(format_args!("{0:02x}", byte))write!(&mut hex_string, "{byte:02x}").unwrap();
547 }
548 hex_string
549}
550
551pub(crate) fn file_metadata<'ll>(cx: &CodegenCx<'ll, '_>, source_file: &SourceFile) -> &'ll DIFile {
552 let cache_key = Some((source_file.stable_id, source_file.src_hash));
553 return debug_context(cx)
554 .created_files
555 .borrow_mut()
556 .entry(cache_key)
557 .or_insert_with(|| alloc_new_file_metadata(cx, source_file));
558
559 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("alloc_new_file_metadata",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(559u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&[],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{ meta.fields().value_set(&[]) })
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: &'ll DIFile = loop {};
return __tracing_attr_fake_return;
}
{
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:564",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(564u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["source_file.name"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&source_file.name)
as &dyn Value))])
});
} else { ; }
};
let (directory, file_name) =
match &source_file.name {
FileName::Real(filename) => {
let (working_directory, embeddable_name) =
filename.embeddable_name(RemapPathScopeComponents::DEBUGINFO);
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:571",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(571u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["working_directory",
"embeddable_name"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&working_directory)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&embeddable_name)
as &dyn Value))])
});
} else { ; }
};
if let Ok(rel_path) =
embeddable_name.strip_prefix(working_directory) {
(working_directory.to_string_lossy(),
rel_path.to_string_lossy().into_owned())
} else {
("".into(), embeddable_name.to_string_lossy().into_owned())
}
}
other => {
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:596",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(596u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["other"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&debug(&other) as
&dyn Value))])
});
} else { ; }
};
("".into(),
other.display(RemapPathScopeComponents::DEBUGINFO).to_string())
}
};
let hash_kind =
match source_file.src_hash.kind {
rustc_span::SourceFileHashAlgorithm::Md5 =>
llvm::ChecksumKind::MD5,
rustc_span::SourceFileHashAlgorithm::Sha1 =>
llvm::ChecksumKind::SHA1,
rustc_span::SourceFileHashAlgorithm::Sha256 =>
llvm::ChecksumKind::SHA256,
rustc_span::SourceFileHashAlgorithm::Blake3 =>
llvm::ChecksumKind::None,
};
let hash_value = hex_encode(source_file.src_hash.hash_bytes());
let source =
cx.sess().opts.unstable_opts.embed_source.then_some(()).and(source_file.src.as_ref());
create_file(DIB(cx), &file_name, &directory, &hash_value,
hash_kind, source)
}
}
}#[instrument(skip(cx, source_file), level = "debug")]
560 fn alloc_new_file_metadata<'ll>(
561 cx: &CodegenCx<'ll, '_>,
562 source_file: &SourceFile,
563 ) -> &'ll DIFile {
564 debug!(?source_file.name);
565
566 let (directory, file_name) = match &source_file.name {
567 FileName::Real(filename) => {
568 let (working_directory, embeddable_name) =
569 filename.embeddable_name(RemapPathScopeComponents::DEBUGINFO);
570
571 debug!(?working_directory, ?embeddable_name);
572
573 if let Ok(rel_path) = embeddable_name.strip_prefix(working_directory) {
574 (working_directory.to_string_lossy(), rel_path.to_string_lossy().into_owned())
591 } else {
592 ("".into(), embeddable_name.to_string_lossy().into_owned())
593 }
594 }
595 other => {
596 debug!(?other);
597 ("".into(), other.display(RemapPathScopeComponents::DEBUGINFO).to_string())
598 }
599 };
600
601 let hash_kind = match source_file.src_hash.kind {
602 rustc_span::SourceFileHashAlgorithm::Md5 => llvm::ChecksumKind::MD5,
603 rustc_span::SourceFileHashAlgorithm::Sha1 => llvm::ChecksumKind::SHA1,
604 rustc_span::SourceFileHashAlgorithm::Sha256 => llvm::ChecksumKind::SHA256,
605 rustc_span::SourceFileHashAlgorithm::Blake3 => llvm::ChecksumKind::None,
606 };
607 let hash_value = hex_encode(source_file.src_hash.hash_bytes());
608
609 let source =
610 cx.sess().opts.unstable_opts.embed_source.then_some(()).and(source_file.src.as_ref());
611
612 create_file(DIB(cx), &file_name, &directory, &hash_value, hash_kind, source)
613 }
614}
615
616fn unknown_file_metadata<'ll>(cx: &CodegenCx<'ll, '_>) -> &'ll DIFile {
617 debug_context(cx).created_files.borrow_mut().entry(None).or_insert_with(|| {
618 create_file(DIB(cx), "<unknown>", "", "", llvm::ChecksumKind::None, None)
619 })
620}
621
622fn create_file<'ll>(
623 builder: &DIBuilder<'ll>,
624 file_name: &str,
625 directory: &str,
626 hash_value: &str,
627 hash_kind: llvm::ChecksumKind,
628 source: Option<&Arc<String>>,
629) -> &'ll DIFile {
630 unsafe {
631 llvm::LLVMRustDIBuilderCreateFile(
632 builder,
633 file_name.as_c_char_ptr(),
634 file_name.len(),
635 directory.as_c_char_ptr(),
636 directory.len(),
637 hash_kind,
638 hash_value.as_c_char_ptr(),
639 hash_value.len(),
640 source.map_or(ptr::null(), |x| x.as_c_char_ptr()),
641 source.map_or(0, |x| x.len()),
642 )
643 }
644}
645
646trait MsvcBasicName {
647 fn msvc_basic_name(self) -> &'static str;
648}
649
650impl MsvcBasicName for ty::IntTy {
651 fn msvc_basic_name(self) -> &'static str {
652 match self {
653 ty::IntTy::Isize => "ptrdiff_t",
654 ty::IntTy::I8 => "__int8",
655 ty::IntTy::I16 => "__int16",
656 ty::IntTy::I32 => "__int32",
657 ty::IntTy::I64 => "__int64",
658 ty::IntTy::I128 => "__int128",
659 }
660 }
661}
662
663impl MsvcBasicName for ty::UintTy {
664 fn msvc_basic_name(self) -> &'static str {
665 match self {
666 ty::UintTy::Usize => "size_t",
667 ty::UintTy::U8 => "unsigned __int8",
668 ty::UintTy::U16 => "unsigned __int16",
669 ty::UintTy::U32 => "unsigned __int32",
670 ty::UintTy::U64 => "unsigned __int64",
671 ty::UintTy::U128 => "unsigned __int128",
672 }
673 }
674}
675
676impl MsvcBasicName for ty::FloatTy {
677 fn msvc_basic_name(self) -> &'static str {
678 match self {
681 ty::FloatTy::F16 => {
682 ::rustc_middle::util::bug::bug_fmt(format_args!("`f16` should have been handled in `build_basic_type_di_node`"))bug!("`f16` should have been handled in `build_basic_type_di_node`")
683 }
684 ty::FloatTy::F32 => "float",
685 ty::FloatTy::F64 => "double",
686 ty::FloatTy::F128 => "fp128",
687 }
688 }
689}
690
691fn build_cpp_f16_di_node<'ll, 'tcx>(cx: &CodegenCx<'ll, 'tcx>) -> DINodeCreationResult<'ll> {
692 let float_ty = cx.tcx.types.f16;
695 let bits_ty = cx.tcx.types.u16;
696 let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
697 match float_ty.kind() {
698 ty::Adt(def, _) => Some(file_metadata_from_def_id(cx, Some(def.did()))),
699 _ => None,
700 }
701 } else {
702 None
703 };
704 type_map::build_type_with_children(
705 cx,
706 type_map::stub(
707 cx,
708 Stub::Struct,
709 UniqueTypeId::for_ty(cx.tcx, float_ty),
710 "f16",
711 def_location,
712 cx.size_and_align_of(float_ty),
713 NO_SCOPE_METADATA,
714 DIFlags::FlagZero,
715 ),
716 |cx, float_di_node| {
718 let def_id = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
719 match bits_ty.kind() {
720 ty::Adt(def, _) => Some(def.did()),
721 _ => None,
722 }
723 } else {
724 None
725 };
726 {
let count = 0usize + 1usize;
let mut vec = ::smallvec::SmallVec::new();
if count <= vec.inline_size() {
vec.push(build_field_di_node(cx, float_di_node, "bits",
cx.layout_of(bits_ty), Size::ZERO, DIFlags::FlagZero,
type_di_node(cx, bits_ty), def_id));
vec
} else {
::smallvec::SmallVec::from_vec(::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[build_field_di_node(cx, float_di_node, "bits",
cx.layout_of(bits_ty), Size::ZERO, DIFlags::FlagZero,
type_di_node(cx, bits_ty), def_id)])))
}
}smallvec![build_field_di_node(
727 cx,
728 float_di_node,
729 "bits",
730 cx.layout_of(bits_ty),
731 Size::ZERO,
732 DIFlags::FlagZero,
733 type_di_node(cx, bits_ty),
734 def_id,
735 )]
736 },
737 NO_GENERICS,
738 )
739}
740
741fn build_basic_type_di_node<'ll, 'tcx>(
742 cx: &CodegenCx<'ll, 'tcx>,
743 t: Ty<'tcx>,
744) -> DINodeCreationResult<'ll> {
745 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:745",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(745u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("build_basic_type_di_node: {0:?}",
t) as &dyn Value))])
});
} else { ; }
};debug!("build_basic_type_di_node: {:?}", t);
746
747 let cpp_like_debuginfo = cpp_like_debuginfo(cx.tcx);
750
751 use dwarf_const::{DW_ATE_UTF, DW_ATE_boolean, DW_ATE_float, DW_ATE_signed, DW_ATE_unsigned};
752
753 let (name, encoding) = match t.kind() {
754 ty::Never => ("!", DW_ATE_unsigned),
755 ty::Tuple(elements) if elements.is_empty() => {
756 if cpp_like_debuginfo {
757 return build_tuple_type_di_node(cx, UniqueTypeId::for_ty(cx.tcx, t));
758 } else {
759 ("()", DW_ATE_unsigned)
760 }
761 }
762 ty::Bool => ("bool", DW_ATE_boolean),
763 ty::Char => ("char", DW_ATE_UTF),
764 ty::Int(int_ty) if cpp_like_debuginfo => (int_ty.msvc_basic_name(), DW_ATE_signed),
765 ty::Uint(uint_ty) if cpp_like_debuginfo => (uint_ty.msvc_basic_name(), DW_ATE_unsigned),
766 ty::Float(ty::FloatTy::F16) if cpp_like_debuginfo => {
767 return build_cpp_f16_di_node(cx);
768 }
769 ty::Float(float_ty) if cpp_like_debuginfo => (float_ty.msvc_basic_name(), DW_ATE_float),
770 ty::Int(int_ty) => (int_ty.name_str(), DW_ATE_signed),
771 ty::Uint(uint_ty) => (uint_ty.name_str(), DW_ATE_unsigned),
772 ty::Float(float_ty) => (float_ty.name_str(), DW_ATE_float),
773 _ => ::rustc_middle::util::bug::bug_fmt(format_args!("debuginfo::build_basic_type_di_node - `t` is invalid type"))bug!("debuginfo::build_basic_type_di_node - `t` is invalid type"),
774 };
775
776 let ty_di_node = create_basic_type(cx, name, cx.size_of(t), encoding);
777
778 if !cpp_like_debuginfo {
779 return DINodeCreationResult::new(ty_di_node, false);
780 }
781
782 let typedef_name = match t.kind() {
783 ty::Int(int_ty) => int_ty.name_str(),
784 ty::Uint(uint_ty) => uint_ty.name_str(),
785 ty::Float(float_ty) => float_ty.name_str(),
786 _ => return DINodeCreationResult::new(ty_di_node, false),
787 };
788
789 let typedef_di_node = unsafe {
790 llvm::LLVMDIBuilderCreateTypedef(
791 DIB(cx),
792 ty_di_node,
793 typedef_name.as_ptr(),
794 typedef_name.len(),
795 unknown_file_metadata(cx),
796 0, None, 0u32, )
800 };
801
802 DINodeCreationResult::new(typedef_di_node, false)
803}
804
805fn create_basic_type<'ll, 'tcx>(
806 cx: &CodegenCx<'ll, 'tcx>,
807 name: &str,
808 size: Size,
809 encoding: u32,
810) -> &'ll DIBasicType {
811 unsafe {
812 llvm::LLVMDIBuilderCreateBasicType(
813 DIB(cx),
814 name.as_ptr(),
815 name.len(),
816 size.bits(),
817 encoding,
818 DIFlags::FlagZero,
819 )
820 }
821}
822
823fn build_foreign_type_di_node<'ll, 'tcx>(
824 cx: &CodegenCx<'ll, 'tcx>,
825 t: Ty<'tcx>,
826 unique_type_id: UniqueTypeId<'tcx>,
827) -> DINodeCreationResult<'ll> {
828 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:828",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(828u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("build_foreign_type_di_node: {0:?}",
t) as &dyn Value))])
});
} else { ; }
};debug!("build_foreign_type_di_node: {:?}", t);
829
830 let &ty::Foreign(def_id) = unique_type_id.expect_ty().kind() else {
831 ::rustc_middle::util::bug::bug_fmt(format_args!("build_foreign_type_di_node() called with unexpected type: {0:?}",
unique_type_id.expect_ty()));bug!(
832 "build_foreign_type_di_node() called with unexpected type: {:?}",
833 unique_type_id.expect_ty()
834 );
835 };
836
837 build_type_with_children(
838 cx,
839 type_map::stub(
840 cx,
841 Stub::Struct,
842 unique_type_id,
843 &compute_debuginfo_type_name(cx.tcx, t, false),
844 None,
845 cx.size_and_align_of(t),
846 Some(get_namespace_for_item(cx, def_id)),
847 DIFlags::FlagZero,
848 ),
849 |_, _| ::smallvec::SmallVec::new()smallvec![],
850 NO_GENERICS,
851 )
852}
853
854pub(crate) fn build_compile_unit_di_node<'ll, 'tcx>(
855 tcx: TyCtxt<'tcx>,
856 codegen_unit_name: &str,
857 debug_context: &CodegenUnitDebugContext<'ll, 'tcx>,
858) -> &'ll DIDescriptor {
859 let mut name_in_debuginfo = tcx
860 .sess
861 .local_crate_source_file()
862 .map(|src| src.path(RemapPathScopeComponents::DEBUGINFO).to_path_buf())
863 .unwrap_or_else(|| PathBuf::from(tcx.crate_name(LOCAL_CRATE).as_str()));
864
865 name_in_debuginfo.push("@");
883 name_in_debuginfo.push(codegen_unit_name);
884
885 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs:885",
"rustc_codegen_llvm::debuginfo::metadata",
::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_llvm/src/debuginfo/metadata.rs"),
::tracing_core::__macro_support::Option::Some(885u32),
::tracing_core::__macro_support::Option::Some("rustc_codegen_llvm::debuginfo::metadata"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("build_compile_unit_di_node: {0:?}",
name_in_debuginfo) as &dyn Value))])
});
} else { ; }
};debug!("build_compile_unit_di_node: {:?}", name_in_debuginfo);
886 let rustc_producer = ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("rustc version {0}",
tcx.sess.cfg_version))
})format!("rustc version {}", tcx.sess.cfg_version);
887 let producer = ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("clang LLVM ({0})", rustc_producer))
})format!("clang LLVM ({rustc_producer})");
889
890 let name_in_debuginfo = name_in_debuginfo.to_string_lossy();
891 let work_dir = tcx.sess.psess.source_map().working_dir();
892 let output_filenames = tcx.output_filenames(());
893 let split_name = if tcx.sess.target_can_use_split_dwarf()
894 && let Some(f) = output_filenames.split_dwarf_path(
895 tcx.sess.split_debuginfo(),
896 tcx.sess.opts.unstable_opts.split_dwarf_kind,
897 codegen_unit_name,
898 tcx.sess.invocation_temp.as_deref(),
899 ) {
900 Some(tcx.sess.source_map().path_mapping().to_real_filename(work_dir, f))
902 } else {
903 None
904 };
905 let split_name = split_name
906 .as_ref()
907 .map(|f| f.path(RemapPathScopeComponents::DEBUGINFO).to_string_lossy())
908 .unwrap_or_default();
909 let work_dir = work_dir.path(RemapPathScopeComponents::DEBUGINFO).to_string_lossy();
910 let kind = DebugEmissionKind::from_generic(tcx.sess.opts.debuginfo);
911
912 let dwarf_version = tcx.sess.dwarf_version();
913 let is_dwarf_kind =
914 #[allow(non_exhaustive_omitted_patterns)] match tcx.sess.target.debuginfo_kind
{
DebuginfoKind::Dwarf | DebuginfoKind::DwarfDsym => true,
_ => false,
}matches!(tcx.sess.target.debuginfo_kind, DebuginfoKind::Dwarf | DebuginfoKind::DwarfDsym);
915 let debug_name_table_kind = if is_dwarf_kind && dwarf_version <= 4 {
917 DebugNameTableKind::None
918 } else {
919 DebugNameTableKind::Default
920 };
921
922 unsafe {
923 let compile_unit_file = create_file(
924 debug_context.builder.as_ref(),
925 &name_in_debuginfo,
926 &work_dir,
927 "",
928 llvm::ChecksumKind::None,
929 None,
930 );
931
932 let unit_metadata = llvm::LLVMRustDIBuilderCreateCompileUnit(
933 debug_context.builder.as_ref(),
934 dwarf_const::DW_LANG_Rust,
935 compile_unit_file,
936 producer.as_c_char_ptr(),
937 producer.len(),
938 tcx.sess.opts.optimize != config::OptLevel::No,
939 c"".as_ptr(),
940 0,
941 split_name.as_c_char_ptr(),
945 split_name.len(),
946 kind,
947 0,
948 tcx.sess.opts.unstable_opts.split_dwarf_inlining,
949 debug_name_table_kind,
950 );
951
952 return unit_metadata;
953 };
954}
955
956fn build_field_di_node<'ll, 'tcx>(
958 cx: &CodegenCx<'ll, 'tcx>,
959 owner: &'ll DIScope,
960 name: &str,
961 layout: TyAndLayout<'tcx>,
962 offset: Size,
963 flags: DIFlags,
964 type_di_node: &'ll DIType,
965 def_id: Option<DefId>,
966) -> &'ll DIType {
967 let (file_metadata, line_number) = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers
968 {
969 file_metadata_from_def_id(cx, def_id)
970 } else {
971 (unknown_file_metadata(cx), UNKNOWN_LINE_NUMBER)
972 };
973 create_member_type(
974 cx,
975 owner,
976 name,
977 file_metadata,
978 line_number,
979 layout,
980 offset,
981 flags,
982 type_di_node,
983 )
984}
985
986fn create_member_type<'ll, 'tcx>(
987 cx: &CodegenCx<'ll, 'tcx>,
988 owner: &'ll DIScope,
989 name: &str,
990 file_metadata: &'ll DIType,
991 line_number: u32,
992 layout: TyAndLayout<'tcx>,
993 offset: Size,
994 flags: DIFlags,
995 type_di_node: &'ll DIType,
996) -> &'ll DIType {
997 unsafe {
998 llvm::LLVMDIBuilderCreateMemberType(
999 DIB(cx),
1000 owner,
1001 name.as_ptr(),
1002 name.len(),
1003 file_metadata,
1004 line_number,
1005 layout.size.bits(),
1006 layout.align.bits() as u32,
1007 offset.bits(),
1008 flags,
1009 type_di_node,
1010 )
1011 }
1012}
1013
1014fn visibility_di_flags<'ll, 'tcx>(
1020 cx: &CodegenCx<'ll, 'tcx>,
1021 did: DefId,
1022 type_did: DefId,
1023) -> DIFlags {
1024 let parent_did = cx.tcx.parent(type_did);
1025 let visibility = cx.tcx.visibility(did);
1026 match visibility {
1027 Visibility::Public => DIFlags::FlagPublic,
1028 Visibility::Restricted(did) if did == parent_did => DIFlags::FlagPrivate,
1030 Visibility::Restricted(..) => DIFlags::FlagProtected,
1032 }
1033}
1034
1035fn build_struct_type_di_node<'ll, 'tcx>(
1037 cx: &CodegenCx<'ll, 'tcx>,
1038 unique_type_id: UniqueTypeId<'tcx>,
1039 span: Span,
1040) -> DINodeCreationResult<'ll> {
1041 let struct_type = unique_type_id.expect_ty();
1042 let ty::Adt(adt_def, _) = struct_type.kind() else {
1043 ::rustc_middle::util::bug::bug_fmt(format_args!("build_struct_type_di_node() called with non-struct-type: {0:?}",
struct_type));bug!("build_struct_type_di_node() called with non-struct-type: {:?}", struct_type);
1044 };
1045 if !adt_def.is_struct() {
::core::panicking::panic("assertion failed: adt_def.is_struct()")
};assert!(adt_def.is_struct());
1046 let containing_scope = get_namespace_for_item(cx, adt_def.did());
1047 let struct_type_and_layout = cx.spanned_layout_of(struct_type, span);
1048 let variant_def = adt_def.non_enum_variant();
1049 let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1050 Some(file_metadata_from_def_id(cx, Some(adt_def.did())))
1051 } else {
1052 None
1053 };
1054
1055 type_map::build_type_with_children(
1056 cx,
1057 type_map::stub(
1058 cx,
1059 Stub::Struct,
1060 unique_type_id,
1061 &compute_debuginfo_type_name(cx.tcx, struct_type, false),
1062 def_location,
1063 size_and_align_of(struct_type_and_layout),
1064 Some(containing_scope),
1065 visibility_di_flags(cx, adt_def.did(), adt_def.did()),
1066 ),
1067 |cx, owner| {
1069 variant_def
1070 .fields
1071 .iter()
1072 .enumerate()
1073 .map(|(i, f)| {
1074 let field_name = if variant_def.ctor_kind() == Some(CtorKind::Fn) {
1075 tuple_field_name(i)
1077 } else {
1078 Cow::Borrowed(f.name.as_str())
1080 };
1081 let field_layout = struct_type_and_layout.field(cx, i);
1082 let def_id = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1083 Some(f.did)
1084 } else {
1085 None
1086 };
1087 build_field_di_node(
1088 cx,
1089 owner,
1090 &field_name[..],
1091 field_layout,
1092 struct_type_and_layout.fields.offset(i),
1093 visibility_di_flags(cx, f.did, adt_def.did()),
1094 type_di_node(cx, field_layout.ty),
1095 def_id,
1096 )
1097 })
1098 .collect()
1099 },
1100 |cx| build_generic_type_param_di_nodes(cx, struct_type),
1101 )
1102}
1103
1104fn build_upvar_field_di_nodes<'ll, 'tcx>(
1111 cx: &CodegenCx<'ll, 'tcx>,
1112 closure_or_coroutine_ty: Ty<'tcx>,
1113 closure_or_coroutine_di_node: &'ll DIType,
1114) -> SmallVec<&'ll DIType> {
1115 let (&def_id, up_var_tys) = match closure_or_coroutine_ty.kind() {
1116 ty::Coroutine(def_id, args) => (def_id, args.as_coroutine().prefix_tys()),
1117 ty::Closure(def_id, args) => (def_id, args.as_closure().upvar_tys()),
1118 ty::CoroutineClosure(def_id, args) => (def_id, args.as_coroutine_closure().upvar_tys()),
1119 _ => {
1120 ::rustc_middle::util::bug::bug_fmt(format_args!("build_upvar_field_di_nodes() called with non-closure-or-coroutine-type: {0:?}",
closure_or_coroutine_ty))bug!(
1121 "build_upvar_field_di_nodes() called with non-closure-or-coroutine-type: {:?}",
1122 closure_or_coroutine_ty
1123 )
1124 }
1125 };
1126
1127 if !up_var_tys.iter().all(|t|
t == cx.tcx.normalize_erasing_regions(cx.typing_env(), t)) {
::core::panicking::panic("assertion failed: up_var_tys.iter().all(|t|\n t == cx.tcx.normalize_erasing_regions(cx.typing_env(), t))")
};assert!(up_var_tys.iter().all(|t| t == cx.tcx.normalize_erasing_regions(cx.typing_env(), t)));
1128
1129 let capture_names = cx.tcx.closure_saved_names_of_captured_variables(def_id);
1130 let layout = cx.layout_of(closure_or_coroutine_ty);
1131
1132 up_var_tys
1133 .into_iter()
1134 .zip(capture_names.iter())
1135 .enumerate()
1136 .map(|(index, (up_var_ty, capture_name))| {
1137 build_field_di_node(
1138 cx,
1139 closure_or_coroutine_di_node,
1140 capture_name.as_str(),
1141 cx.layout_of(up_var_ty),
1142 layout.fields.offset(index),
1143 DIFlags::FlagZero,
1144 type_di_node(cx, up_var_ty),
1145 None,
1146 )
1147 })
1148 .collect()
1149}
1150
1151fn build_tuple_type_di_node<'ll, 'tcx>(
1153 cx: &CodegenCx<'ll, 'tcx>,
1154 unique_type_id: UniqueTypeId<'tcx>,
1155) -> DINodeCreationResult<'ll> {
1156 let tuple_type = unique_type_id.expect_ty();
1157 let &ty::Tuple(component_types) = tuple_type.kind() else {
1158 ::rustc_middle::util::bug::bug_fmt(format_args!("build_tuple_type_di_node() called with non-tuple-type: {0:?}",
tuple_type))bug!("build_tuple_type_di_node() called with non-tuple-type: {:?}", tuple_type)
1159 };
1160
1161 let tuple_type_and_layout = cx.layout_of(tuple_type);
1162 let type_name = compute_debuginfo_type_name(cx.tcx, tuple_type, false);
1163
1164 type_map::build_type_with_children(
1165 cx,
1166 type_map::stub(
1167 cx,
1168 Stub::Struct,
1169 unique_type_id,
1170 &type_name,
1171 None,
1172 size_and_align_of(tuple_type_and_layout),
1173 NO_SCOPE_METADATA,
1174 DIFlags::FlagZero,
1175 ),
1176 |cx, tuple_di_node| {
1178 component_types
1179 .into_iter()
1180 .enumerate()
1181 .map(|(index, component_type)| {
1182 build_field_di_node(
1183 cx,
1184 tuple_di_node,
1185 &tuple_field_name(index),
1186 cx.layout_of(component_type),
1187 tuple_type_and_layout.fields.offset(index),
1188 DIFlags::FlagZero,
1189 type_di_node(cx, component_type),
1190 None,
1191 )
1192 })
1193 .collect()
1194 },
1195 NO_GENERICS,
1196 )
1197}
1198
1199fn build_closure_env_di_node<'ll, 'tcx>(
1201 cx: &CodegenCx<'ll, 'tcx>,
1202 unique_type_id: UniqueTypeId<'tcx>,
1203) -> DINodeCreationResult<'ll> {
1204 let closure_env_type = unique_type_id.expect_ty();
1205 let &(ty::Closure(def_id, _) | ty::CoroutineClosure(def_id, _)) = closure_env_type.kind()
1206 else {
1207 ::rustc_middle::util::bug::bug_fmt(format_args!("build_closure_env_di_node() called with non-closure-type: {0:?}",
closure_env_type))bug!("build_closure_env_di_node() called with non-closure-type: {:?}", closure_env_type)
1208 };
1209 let containing_scope = get_namespace_for_item(cx, def_id);
1210 let type_name = compute_debuginfo_type_name(cx.tcx, closure_env_type, false);
1211
1212 let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1213 Some(file_metadata_from_def_id(cx, Some(def_id)))
1214 } else {
1215 None
1216 };
1217
1218 type_map::build_type_with_children(
1219 cx,
1220 type_map::stub(
1221 cx,
1222 Stub::Struct,
1223 unique_type_id,
1224 &type_name,
1225 def_location,
1226 cx.size_and_align_of(closure_env_type),
1227 Some(containing_scope),
1228 DIFlags::FlagZero,
1229 ),
1230 |cx, owner| build_upvar_field_di_nodes(cx, closure_env_type, owner),
1232 NO_GENERICS,
1233 )
1234}
1235
1236fn build_union_type_di_node<'ll, 'tcx>(
1238 cx: &CodegenCx<'ll, 'tcx>,
1239 unique_type_id: UniqueTypeId<'tcx>,
1240 span: Span,
1241) -> DINodeCreationResult<'ll> {
1242 let union_type = unique_type_id.expect_ty();
1243 let (union_def_id, variant_def) = match union_type.kind() {
1244 ty::Adt(def, _) => (def.did(), def.non_enum_variant()),
1245 _ => ::rustc_middle::util::bug::bug_fmt(format_args!("build_union_type_di_node on a non-ADT"))bug!("build_union_type_di_node on a non-ADT"),
1246 };
1247 let containing_scope = get_namespace_for_item(cx, union_def_id);
1248 let union_ty_and_layout = cx.spanned_layout_of(union_type, span);
1249 let type_name = compute_debuginfo_type_name(cx.tcx, union_type, false);
1250 let def_location = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1251 Some(file_metadata_from_def_id(cx, Some(union_def_id)))
1252 } else {
1253 None
1254 };
1255
1256 type_map::build_type_with_children(
1257 cx,
1258 type_map::stub(
1259 cx,
1260 Stub::Union,
1261 unique_type_id,
1262 &type_name,
1263 def_location,
1264 size_and_align_of(union_ty_and_layout),
1265 Some(containing_scope),
1266 DIFlags::FlagZero,
1267 ),
1268 |cx, owner| {
1270 variant_def
1271 .fields
1272 .iter()
1273 .enumerate()
1274 .map(|(i, f)| {
1275 let field_layout = union_ty_and_layout.field(cx, i);
1276 let def_id = if cx.sess().opts.unstable_opts.debug_info_type_line_numbers {
1277 Some(f.did)
1278 } else {
1279 None
1280 };
1281 build_field_di_node(
1282 cx,
1283 owner,
1284 f.name.as_str(),
1285 field_layout,
1286 Size::ZERO,
1287 DIFlags::FlagZero,
1288 type_di_node(cx, field_layout.ty),
1289 def_id,
1290 )
1291 })
1292 .collect()
1293 },
1294 |cx| build_generic_type_param_di_nodes(cx, union_type),
1296 )
1297}
1298
1299fn build_generic_type_param_di_nodes<'ll, 'tcx>(
1301 cx: &CodegenCx<'ll, 'tcx>,
1302 ty: Ty<'tcx>,
1303) -> SmallVec<Option<&'ll DIType>> {
1304 if let ty::Adt(def, args) = *ty.kind() {
1305 if args.types().next().is_some() {
1306 let generics = cx.tcx.generics_of(def.did());
1307 let names = get_parameter_names(cx, generics);
1308 let template_params: SmallVec<_> = iter::zip(args, names)
1309 .filter_map(|(kind, name)| {
1310 kind.as_type().map(|ty| {
1311 let actual_type = cx.tcx.normalize_erasing_regions(cx.typing_env(), ty);
1312 let actual_type_di_node = type_di_node(cx, actual_type);
1313 Some(cx.create_template_type_parameter(name.as_str(), actual_type_di_node))
1314 })
1315 })
1316 .collect();
1317
1318 return template_params;
1319 }
1320 }
1321
1322 return ::smallvec::SmallVec::new()smallvec![];
1323
1324 fn get_parameter_names(cx: &CodegenCx<'_, '_>, generics: &ty::Generics) -> Vec<Symbol> {
1325 let mut names = generics
1326 .parent
1327 .map_or_else(Vec::new, |def_id| get_parameter_names(cx, cx.tcx.generics_of(def_id)));
1328 names.extend(generics.own_params.iter().map(|param| param.name));
1329 names
1330 }
1331}
1332
1333pub(crate) fn build_global_var_di_node<'ll>(
1337 cx: &CodegenCx<'ll, '_>,
1338 def_id: DefId,
1339 global: &'ll Value,
1340) {
1341 if cx.dbg_cx.is_none() {
1342 return;
1343 }
1344
1345 if cx.sess().opts.debuginfo != DebugInfo::Full {
1347 return;
1348 }
1349
1350 let tcx = cx.tcx;
1351
1352 let var_scope = get_namespace_for_item(cx, def_id);
1355 let (file_metadata, line_number) = file_metadata_from_def_id(cx, Some(def_id));
1356
1357 let is_local_to_unit = is_node_local_to_unit(cx, def_id);
1358
1359 let DefKind::Static { nested, .. } = cx.tcx.def_kind(def_id) else { ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!() };
1360 if nested {
1361 return;
1362 }
1363 let variable_type = Instance::mono(cx.tcx, def_id).ty(cx.tcx, cx.typing_env());
1364 let type_di_node = type_di_node(cx, variable_type);
1365 let var_name = tcx.item_name(def_id);
1366 let var_name = var_name.as_str();
1367 let linkage_name = mangled_name_of_instance(cx, Instance::mono(tcx, def_id)).name;
1368 let linkage_name = if var_name == linkage_name { "" } else { linkage_name };
1371
1372 let global_align = cx.align_of(variable_type);
1373
1374 DIB(cx).create_static_variable(
1375 Some(var_scope),
1376 var_name,
1377 linkage_name,
1378 file_metadata,
1379 line_number,
1380 type_di_node,
1381 is_local_to_unit,
1382 global, None, Some(global_align),
1385 );
1386}
1387
1388fn build_vtable_type_di_node<'ll, 'tcx>(
1398 cx: &CodegenCx<'ll, 'tcx>,
1399 ty: Ty<'tcx>,
1400 poly_trait_ref: Option<ty::ExistentialTraitRef<'tcx>>,
1401) -> &'ll DIType {
1402 let tcx = cx.tcx;
1403
1404 let vtable_entries = if let Some(poly_trait_ref) = poly_trait_ref {
1405 let trait_ref = poly_trait_ref.with_self_ty(tcx, ty);
1406 let trait_ref = tcx.erase_and_anonymize_regions(trait_ref);
1407
1408 tcx.vtable_entries(trait_ref)
1409 } else {
1410 TyCtxt::COMMON_VTABLE_ENTRIES
1411 };
1412
1413 let void_pointer_ty = Ty::new_imm_ptr(tcx, tcx.types.unit);
1416 let void_pointer_type_di_node = type_di_node(cx, void_pointer_ty);
1417 let usize_di_node = type_di_node(cx, tcx.types.usize);
1418 let pointer_layout = cx.layout_of(void_pointer_ty);
1419 let pointer_size = pointer_layout.size;
1420 let pointer_align = pointer_layout.align.abi;
1421 match (&cx.size_and_align_of(tcx.types.usize), &(pointer_size, pointer_align))
{
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(cx.size_and_align_of(tcx.types.usize), (pointer_size, pointer_align));
1425
1426 let vtable_type_name =
1427 compute_debuginfo_vtable_name(cx.tcx, ty, poly_trait_ref, VTableNameKind::Type);
1428 let unique_type_id = UniqueTypeId::for_vtable_ty(tcx, ty, poly_trait_ref);
1429 let size = pointer_size * vtable_entries.len() as u64;
1430
1431 let vtable_holder = type_di_node(cx, ty);
1434
1435 build_type_with_children(
1436 cx,
1437 type_map::stub(
1438 cx,
1439 Stub::VTableTy { vtable_holder },
1440 unique_type_id,
1441 &vtable_type_name,
1442 None,
1443 (size, pointer_align),
1444 NO_SCOPE_METADATA,
1445 DIFlags::FlagArtificial,
1446 ),
1447 |cx, vtable_type_di_node| {
1448 vtable_entries
1449 .iter()
1450 .enumerate()
1451 .filter_map(|(index, vtable_entry)| {
1452 let (field_name, field_type_di_node) = match vtable_entry {
1453 ty::VtblEntry::MetadataDropInPlace => {
1454 ("drop_in_place".to_string(), void_pointer_type_di_node)
1455 }
1456 ty::VtblEntry::Method(_) => {
1457 (::alloc::__export::must_use({
::alloc::fmt::format(format_args!("__method{0}", index))
})format!("__method{index}"), void_pointer_type_di_node)
1461 }
1462 ty::VtblEntry::TraitVPtr(_) => {
1463 (::alloc::__export::must_use({
::alloc::fmt::format(format_args!("__super_trait_ptr{0}", index))
})format!("__super_trait_ptr{index}"), void_pointer_type_di_node)
1464 }
1465 ty::VtblEntry::MetadataAlign => ("align".to_string(), usize_di_node),
1466 ty::VtblEntry::MetadataSize => ("size".to_string(), usize_di_node),
1467 ty::VtblEntry::Vacant => return None,
1468 };
1469
1470 let field_offset = pointer_size * index as u64;
1471
1472 Some(build_field_di_node(
1473 cx,
1474 vtable_type_di_node,
1475 &field_name,
1476 pointer_layout,
1477 field_offset,
1478 DIFlags::FlagZero,
1479 field_type_di_node,
1480 None,
1481 ))
1482 })
1483 .collect()
1484 },
1485 NO_GENERICS,
1486 )
1487 .di_node
1488}
1489
1490fn build_unsafe_binder_type_di_node<'ll, 'tcx>(
1497 cx: &CodegenCx<'ll, 'tcx>,
1498 binder_type: Ty<'tcx>,
1499 unique_type_id: UniqueTypeId<'tcx>,
1500) -> DINodeCreationResult<'ll> {
1501 let ty::UnsafeBinder(inner) = binder_type.kind() else {
1502 ::rustc_middle::util::bug::bug_fmt(format_args!("Only ty::UnsafeBinder is valid for build_unsafe_binder_type_di_node. Found {0:?} instead.",
binder_type))bug!(
1503 "Only ty::UnsafeBinder is valid for build_unsafe_binder_type_di_node. Found {:?} instead.",
1504 binder_type
1505 )
1506 };
1507 let inner_type = inner.skip_binder();
1508 let inner_type_di_node = type_di_node(cx, inner_type);
1509
1510 let type_name = compute_debuginfo_type_name(cx.tcx, binder_type, true);
1511 type_map::build_type_with_children(
1512 cx,
1513 type_map::stub(
1514 cx,
1515 Stub::Struct,
1516 unique_type_id,
1517 &type_name,
1518 None,
1519 cx.size_and_align_of(binder_type),
1520 NO_SCOPE_METADATA,
1521 DIFlags::FlagZero,
1522 ),
1523 |cx, unsafe_binder_type_di_node| {
1524 let inner_layout = cx.layout_of(inner_type);
1525 {
let count = 0usize + 1usize;
let mut vec = ::smallvec::SmallVec::new();
if count <= vec.inline_size() {
vec.push(build_field_di_node(cx, unsafe_binder_type_di_node, "inner",
inner_layout, Size::ZERO, DIFlags::FlagZero,
inner_type_di_node, None));
vec
} else {
::smallvec::SmallVec::from_vec(::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[build_field_di_node(cx, unsafe_binder_type_di_node,
"inner", inner_layout, Size::ZERO, DIFlags::FlagZero,
inner_type_di_node, None)])))
}
}smallvec![build_field_di_node(
1526 cx,
1527 unsafe_binder_type_di_node,
1528 "inner",
1529 inner_layout,
1530 Size::ZERO,
1531 DIFlags::FlagZero,
1532 inner_type_di_node,
1533 None,
1534 )]
1535 },
1536 NO_GENERICS,
1537 )
1538}
1539
1540fn find_vtable_behind_cast<'ll>(vtable: &'ll Value) -> &'ll Value {
1549 unsafe {
1551 if let Some(c) = llvm::LLVMIsAConstantExpr(vtable) {
1552 if llvm::LLVMGetConstOpcode(c) == llvm::Opcode::AddrSpaceCast {
1553 return llvm::LLVMGetOperand(c, 0).unwrap();
1554 }
1555 }
1556 }
1557 vtable
1558}
1559
1560pub(crate) fn apply_vcall_visibility_metadata<'ll, 'tcx>(
1561 cx: &CodegenCx<'ll, 'tcx>,
1562 ty: Ty<'tcx>,
1563 trait_ref: Option<ExistentialTraitRef<'tcx>>,
1564 vtable: &'ll Value,
1565) {
1566 if !cx.sess().opts.unstable_opts.virtual_function_elimination || cx.sess().lto() != Lto::Fat {
1569 return;
1570 }
1571
1572 enum VCallVisibility {
1573 Public = 0,
1574 LinkageUnit = 1,
1575 TranslationUnit = 2,
1576 }
1577
1578 let Some(trait_ref) = trait_ref else { return };
1579
1580 let vtable = find_vtable_behind_cast(vtable);
1582 let trait_ref_self = trait_ref.with_self_ty(cx.tcx, ty);
1583 let trait_def_id = trait_ref_self.def_id;
1584 let trait_vis = cx.tcx.visibility(trait_def_id);
1585
1586 let cgus = cx.sess().codegen_units().as_usize();
1587 let single_cgu = cgus == 1;
1588
1589 let lto = cx.sess().lto();
1590
1591 let vcall_visibility = match (lto, trait_vis, single_cgu) {
1594 (Lto::No | Lto::ThinLocal, Visibility::Public, _)
1597 | (Lto::No, Visibility::Restricted(_), false) => VCallVisibility::Public,
1598 (Lto::Fat | Lto::Thin, Visibility::Public, _)
1603 | (Lto::ThinLocal | Lto::Thin | Lto::Fat, Visibility::Restricted(_), false) => {
1604 VCallVisibility::LinkageUnit
1605 }
1606 (_, Visibility::Restricted(_), true) => VCallVisibility::TranslationUnit,
1609 };
1610
1611 let trait_ref_typeid = typeid_for_trait_ref(cx.tcx, trait_ref);
1612 let typeid = cx.create_metadata(trait_ref_typeid.as_bytes());
1613
1614 let type_ = [llvm::LLVMValueAsMetadata(cx.const_usize(0)), typeid];
1615 cx.global_add_metadata_node(vtable, llvm::MD_type, &type_);
1616
1617 let vcall_visibility = [llvm::LLVMValueAsMetadata(cx.const_u64(vcall_visibility as u64))];
1618 cx.global_set_metadata_node(vtable, llvm::MD_vcall_visibility, &vcall_visibility);
1619}
1620
1621pub(crate) fn create_vtable_di_node<'ll, 'tcx>(
1626 cx: &CodegenCx<'ll, 'tcx>,
1627 ty: Ty<'tcx>,
1628 poly_trait_ref: Option<ty::ExistentialTraitRef<'tcx>>,
1629 vtable: &'ll Value,
1630) {
1631 if cx.dbg_cx.is_none() {
1632 return;
1633 }
1634
1635 if cx.sess().opts.debuginfo != DebugInfo::Full {
1637 return;
1638 }
1639
1640 let vtable = find_vtable_behind_cast(vtable);
1642
1643 llvm::set_unnamed_address(vtable, llvm::UnnamedAddr::No);
1647
1648 let vtable_name =
1649 compute_debuginfo_vtable_name(cx.tcx, ty, poly_trait_ref, VTableNameKind::GlobalVariable);
1650 let vtable_type_di_node = build_vtable_type_di_node(cx, ty, poly_trait_ref);
1651
1652 DIB(cx).create_static_variable(
1653 NO_SCOPE_METADATA,
1654 &vtable_name,
1655 "", unknown_file_metadata(cx),
1657 UNKNOWN_LINE_NUMBER,
1658 vtable_type_di_node,
1659 true, vtable, None, None::<Align>,
1663 );
1664}
1665
1666pub(crate) fn extend_scope_to_file<'ll>(
1668 cx: &CodegenCx<'ll, '_>,
1669 scope_metadata: &'ll DIScope,
1670 file: &SourceFile,
1671) -> &'ll DILexicalBlock {
1672 let file_metadata = file_metadata(cx, file);
1673 unsafe {
1674 llvm::LLVMDIBuilderCreateLexicalBlockFile(
1675 DIB(cx),
1676 scope_metadata,
1677 file_metadata,
1678 0u32,
1679 )
1680 }
1681}
1682
1683fn tuple_field_name(field_index: usize) -> Cow<'static, str> {
1684 const TUPLE_FIELD_NAMES: [&'static str; 16] = [
1685 "__0", "__1", "__2", "__3", "__4", "__5", "__6", "__7", "__8", "__9", "__10", "__11",
1686 "__12", "__13", "__14", "__15",
1687 ];
1688 TUPLE_FIELD_NAMES
1689 .get(field_index)
1690 .map(|s| Cow::from(*s))
1691 .unwrap_or_else(|| Cow::from(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("__{0}", field_index))
})format!("__{field_index}")))
1692}
1693
1694pub(crate) type DefinitionLocation<'ll> = (&'ll DIFile, c_uint);
1695
1696pub(crate) fn file_metadata_from_def_id<'ll>(
1697 cx: &CodegenCx<'ll, '_>,
1698 def_id: Option<DefId>,
1699) -> DefinitionLocation<'ll> {
1700 if let Some(def_id) = def_id
1701 && let span = hygiene::walk_chain_collapsed(cx.tcx.def_span(def_id), DUMMY_SP)
1702 && !span.is_dummy()
1703 {
1704 let loc = cx.lookup_debug_loc(span.lo());
1705 (file_metadata(cx, &loc.file), loc.line)
1706 } else {
1707 (unknown_file_metadata(cx), UNKNOWN_LINE_NUMBER)
1708 }
1709}