Skip to main content

rustc_codegen_ssa/back/
metadata.rs

1//! Reading of the rustc metadata for rlibs and dylibs
2
3use std::borrow::Cow;
4use std::fs::File;
5use std::io::Write;
6use std::path::Path;
7
8use itertools::Itertools;
9use object::write::{self, StandardSegment, Symbol, SymbolSection};
10use object::{
11    Architecture, BinaryFormat, Endianness, FileFlags, Object, ObjectSection, ObjectSymbol,
12    SectionFlags, SectionKind, SymbolFlags, SymbolKind, SymbolScope, elf, pe, xcoff,
13};
14use rustc_abi::Endian;
15use rustc_data_structures::memmap::Mmap;
16use rustc_data_structures::owned_slice::{OwnedSlice, try_slice_owned};
17use rustc_metadata::EncodedMetadata;
18use rustc_metadata::creader::MetadataLoader;
19use rustc_metadata::fs::METADATA_FILENAME;
20use rustc_middle::bug;
21use rustc_session::Session;
22use rustc_span::sym;
23use rustc_target::spec::{CfgAbi, LlvmAbi, Os, RelocModel, Target, ef_avr_arch};
24use tracing::debug;
25
26use super::apple;
27
28/// The default metadata loader. This is used by cg_llvm and cg_clif.
29///
30/// # Metadata location
31///
32/// <dl>
33/// <dt>rlib</dt>
34/// <dd>The metadata can be found in the `lib.rmeta` file inside of the ar archive.</dd>
35/// <dt>dylib</dt>
36/// <dd>The metadata can be found in the `.rustc` section of the shared library.</dd>
37/// </dl>
38#[derive(#[automatically_derived]
impl ::core::fmt::Debug for DefaultMetadataLoader {
    #[inline]
    fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
        ::core::fmt::Formatter::write_str(f, "DefaultMetadataLoader")
    }
}Debug)]
39pub(crate) struct DefaultMetadataLoader;
40
41static AIX_METADATA_SYMBOL_NAME: &'static str = "__aix_rust_metadata";
42
43fn load_metadata_with(
44    path: &Path,
45    f: impl for<'a> FnOnce(&'a [u8]) -> Result<&'a [u8], String>,
46) -> Result<OwnedSlice, String> {
47    let file =
48        File::open(path).map_err(|e| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to open file \'{0}\': {1}",
                path.display(), e))
    })format!("failed to open file '{}': {}", path.display(), e))?;
49
50    unsafe { Mmap::map(file) }
51        .map_err(|e| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to mmap file \'{0}\': {1}",
                path.display(), e))
    })format!("failed to mmap file '{}': {}", path.display(), e))
52        .and_then(|mmap| try_slice_owned(mmap, |mmap| f(mmap)))
53}
54
55impl MetadataLoader for DefaultMetadataLoader {
56    fn get_rlib_metadata(&self, target: &Target, path: &Path) -> Result<OwnedSlice, String> {
57        {
    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_ssa/src/back/metadata.rs:57",
                        "rustc_codegen_ssa::back::metadata",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_ssa/src/back/metadata.rs"),
                        ::tracing_core::__macro_support::Option::Some(57u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_codegen_ssa::back::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!("getting rlib metadata for {0}",
                                                    path.display()) as &dyn Value))])
            });
    } else { ; }
};debug!("getting rlib metadata for {}", path.display());
58        load_metadata_with(path, |data| {
59            let archive = object::read::archive::ArchiveFile::parse(&*data)
60                .map_err(|e| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse rlib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse rlib '{}': {}", path.display(), e))?;
61
62            for entry_result in archive.members() {
63                let entry = entry_result
64                    .map_err(|e| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse rlib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse rlib '{}': {}", path.display(), e))?;
65                if entry.name() == METADATA_FILENAME.as_bytes() {
66                    let data = entry
67                        .data(data)
68                        .map_err(|e| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse rlib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse rlib '{}': {}", path.display(), e))?;
69                    if target.is_like_aix {
70                        return get_metadata_xcoff(path, data);
71                    } else {
72                        return search_for_section(path, data, ".rmeta");
73                    }
74                }
75            }
76
77            Err(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("metadata not found in rlib \'{0}\'",
                path.display()))
    })format!("metadata not found in rlib '{}'", path.display()))
78        })
79    }
80
81    fn get_dylib_metadata(&self, target: &Target, path: &Path) -> Result<OwnedSlice, String> {
82        {
    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_ssa/src/back/metadata.rs:82",
                        "rustc_codegen_ssa::back::metadata",
                        ::tracing::Level::DEBUG,
                        ::tracing_core::__macro_support::Option::Some("compiler/rustc_codegen_ssa/src/back/metadata.rs"),
                        ::tracing_core::__macro_support::Option::Some(82u32),
                        ::tracing_core::__macro_support::Option::Some("rustc_codegen_ssa::back::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!("getting dylib metadata for {0}",
                                                    path.display()) as &dyn Value))])
            });
    } else { ; }
};debug!("getting dylib metadata for {}", path.display());
83        if target.is_like_aix {
84            load_metadata_with(path, |data| {
85                let archive = object::read::archive::ArchiveFile::parse(&*data).map_err(|e| {
86                    ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse aix dylib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse aix dylib '{}': {}", path.display(), e)
87                })?;
88
89                match archive.members().exactly_one() {
90                    Ok(lib) => {
91                        let lib = lib.map_err(|e| {
92                            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse aix dylib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse aix dylib '{}': {}", path.display(), e)
93                        })?;
94                        let data = lib.data(data).map_err(|e| {
95                            ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse aix dylib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse aix dylib '{}': {}", path.display(), e)
96                        })?;
97                        get_metadata_xcoff(path, data)
98                    }
99                    Err(e) => Err(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to parse aix dylib \'{0}\': {1}",
                path.display(), e))
    })format!("failed to parse aix dylib '{}': {}", path.display(), e)),
100                }
101            })
102        } else {
103            load_metadata_with(path, |data| search_for_section(path, data, ".rustc"))
104        }
105    }
106}
107
108pub(super) fn search_for_section<'a>(
109    path: &Path,
110    bytes: &'a [u8],
111    section: &str,
112) -> Result<&'a [u8], String> {
113    let Ok(file) = object::File::parse(bytes) else {
114        // The parse above could fail for odd reasons like corruption, but for
115        // now we just interpret it as this target doesn't support metadata
116        // emission in object files so the entire byte slice itself is probably
117        // a metadata file. Ideally though if necessary we could at least check
118        // the prefix of bytes to see if it's an actual metadata object and if
119        // not forward the error along here.
120        return Ok(bytes);
121    };
122    file.section_by_name(section)
123        .ok_or_else(|| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("no `{0}` section in \'{1}\'",
                section, path.display()))
    })format!("no `{}` section in '{}'", section, path.display()))?
124        .data()
125        .map_err(|e| ::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("failed to read {0} section in \'{1}\': {2}",
                section, path.display(), e))
    })format!("failed to read {} section in '{}': {}", section, path.display(), e))
126}
127
128fn add_gnu_property_note(
129    file: &mut write::Object<'static>,
130    architecture: Architecture,
131    binary_format: BinaryFormat,
132    endianness: Endianness,
133) {
134    // check bti protection
135    if binary_format != BinaryFormat::Elf
136        || !#[allow(non_exhaustive_omitted_patterns)] match architecture {
    Architecture::X86_64 | Architecture::Aarch64 => true,
    _ => false,
}matches!(architecture, Architecture::X86_64 | Architecture::Aarch64)
137    {
138        return;
139    }
140
141    let section = file.add_section(
142        file.segment_name(StandardSegment::Data).to_vec(),
143        b".note.gnu.property".to_vec(),
144        SectionKind::Note,
145    );
146    let mut data: Vec<u8> = Vec::new();
147    let n_namsz: u32 = 4; // Size of the n_name field
148    let n_descsz: u32 = 16; // Size of the n_desc field
149    let n_type: u32 = object::elf::NT_GNU_PROPERTY_TYPE_0; // Type of note descriptor
150    let header_values = [n_namsz, n_descsz, n_type];
151    header_values.iter().for_each(|v| {
152        data.extend_from_slice(&match endianness {
153            Endianness::Little => v.to_le_bytes(),
154            Endianness::Big => v.to_be_bytes(),
155        })
156    });
157    data.extend_from_slice(b"GNU\0"); // Owner of the program property note
158    let pr_type: u32 = match architecture {
159        Architecture::X86_64 => object::elf::GNU_PROPERTY_X86_FEATURE_1_AND,
160        Architecture::Aarch64 => object::elf::GNU_PROPERTY_AARCH64_FEATURE_1_AND,
161        _ => ::core::panicking::panic("internal error: entered unreachable code")unreachable!(),
162    };
163    let pr_datasz: u32 = 4; //size of the pr_data field
164    let pr_data: u32 = 3; //program property descriptor
165    let pr_padding: u32 = 0;
166    let property_values = [pr_type, pr_datasz, pr_data, pr_padding];
167    property_values.iter().for_each(|v| {
168        data.extend_from_slice(&match endianness {
169            Endianness::Little => v.to_le_bytes(),
170            Endianness::Big => v.to_be_bytes(),
171        })
172    });
173    file.append_section_data(section, &data, 8);
174}
175
176pub(super) fn get_metadata_xcoff<'a>(path: &Path, data: &'a [u8]) -> Result<&'a [u8], String> {
177    let Ok(file) = object::File::parse(data) else {
178        return Ok(data);
179    };
180    let info_data = search_for_section(path, data, ".info")?;
181    if let Some(metadata_symbol) =
182        file.symbols().find(|sym| sym.name() == Ok(AIX_METADATA_SYMBOL_NAME))
183    {
184        let offset = metadata_symbol.address() as usize;
185        // The offset specifies the location of rustc metadata in the .info section of XCOFF.
186        // Each string stored in .info section of XCOFF is preceded by a 4-byte length field.
187        if offset < 4 {
188            return Err(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("Invalid metadata symbol offset: {0}",
                offset))
    })format!("Invalid metadata symbol offset: {offset}"));
189        }
190        // XCOFF format uses big-endian byte order.
191        let len = u32::from_be_bytes(info_data[(offset - 4)..offset].try_into().unwrap()) as usize;
192        if offset + len > (info_data.len() as usize) {
193            return Err(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("Metadata at offset {0} with size {1} is beyond .info section",
                offset, len))
    })format!(
194                "Metadata at offset {offset} with size {len} is beyond .info section"
195            ));
196        }
197        Ok(&info_data[offset..(offset + len)])
198    } else {
199        Err(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("Unable to find symbol {0}",
                AIX_METADATA_SYMBOL_NAME))
    })format!("Unable to find symbol {AIX_METADATA_SYMBOL_NAME}"))
200    }
201}
202
203pub(crate) fn create_object_file(sess: &Session) -> Option<write::Object<'static>> {
204    let endianness = match sess.target.options.endian {
205        Endian::Little => Endianness::Little,
206        Endian::Big => Endianness::Big,
207    };
208    let Some((architecture, sub_architecture)) =
209        sess.target.object_architecture(&sess.unstable_target_features)
210    else {
211        return None;
212    };
213    let binary_format = sess.target.binary_format.to_object();
214
215    let mut file = write::Object::new(binary_format, architecture, endianness);
216    file.set_sub_architecture(sub_architecture);
217    if sess.target.is_like_darwin {
218        if macho_is_arm64e(&sess.target) {
219            file.set_macho_cpu_subtype(object::macho::CPU_SUBTYPE_ARM64E);
220        }
221
222        file.set_macho_build_version(macho_object_build_version_for_target(sess))
223    }
224    if binary_format == BinaryFormat::Coff {
225        // Disable the default mangler to avoid mangling the special "@feat.00" symbol name.
226        let original_mangling = file.mangling();
227        file.set_mangling(object::write::Mangling::None);
228
229        let mut feature = 0;
230
231        if file.architecture() == object::Architecture::I386 {
232            // When linking with /SAFESEH on x86, lld requires that all linker inputs be marked as
233            // safe exception handling compatible. Metadata files masquerade as regular COFF
234            // objects and are treated as linker inputs, despite containing no actual code. Thus,
235            // they still need to be marked as safe exception handling compatible. See #96498.
236            // Reference: https://docs.microsoft.com/en-us/windows/win32/debug/pe-format
237            feature |= 1;
238        }
239
240        file.add_symbol(object::write::Symbol {
241            name: "@feat.00".into(),
242            value: feature,
243            size: 0,
244            kind: object::SymbolKind::Data,
245            scope: object::SymbolScope::Compilation,
246            weak: false,
247            section: object::write::SymbolSection::Absolute,
248            flags: object::SymbolFlags::None,
249        });
250
251        file.set_mangling(original_mangling);
252    }
253    let e_flags = elf_e_flags(architecture, sess);
254    // adapted from LLVM's `MCELFObjectTargetWriter::getOSABI`
255    let os_abi = elf_os_abi(sess);
256    let abi_version = 0;
257    add_gnu_property_note(&mut file, architecture, binary_format, endianness);
258    file.flags = FileFlags::Elf { os_abi, abi_version, e_flags };
259    Some(file)
260}
261
262pub(super) fn elf_os_abi(sess: &Session) -> u8 {
263    match sess.target.options.os {
264        Os::Hermit => elf::ELFOSABI_STANDALONE,
265        Os::FreeBsd => elf::ELFOSABI_FREEBSD,
266        Os::Solaris => elf::ELFOSABI_SOLARIS,
267        _ => elf::ELFOSABI_NONE,
268    }
269}
270
271pub(super) fn elf_e_flags(architecture: Architecture, sess: &Session) -> u32 {
272    match architecture {
273        Architecture::Mips | Architecture::Mips64 | Architecture::Mips64_N32 => {
274            // "N32" indicates an "ILP32" data model on a 64-bit MIPS CPU
275            // like SPARC's "v8+", x86_64's "x32", or the watchOS "arm64_32".
276            let is_32bit = architecture == Architecture::Mips;
277            let mut e_flags = match sess.target.options.cpu.as_ref() {
278                "mips1" if is_32bit => elf::EF_MIPS_ARCH_1,
279                "mips2" if is_32bit => elf::EF_MIPS_ARCH_2,
280                "mips3" => elf::EF_MIPS_ARCH_3,
281                "mips4" => elf::EF_MIPS_ARCH_4,
282                "mips5" => elf::EF_MIPS_ARCH_5,
283                "mips32r2" if is_32bit => elf::EF_MIPS_ARCH_32R2,
284                "mips32r6" if is_32bit => elf::EF_MIPS_ARCH_32R6,
285                "mips64r2" if !is_32bit => elf::EF_MIPS_ARCH_64R2,
286                "mips64r6" if !is_32bit => elf::EF_MIPS_ARCH_64R6,
287                s if s.starts_with("mips32") && !is_32bit => {
288                    sess.dcx().fatal(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("invalid CPU `{0}` for 64-bit MIPS target",
                s))
    })format!("invalid CPU `{}` for 64-bit MIPS target", s))
289                }
290                s if s.starts_with("mips64") && is_32bit => {
291                    sess.dcx().fatal(::alloc::__export::must_use({
        ::alloc::fmt::format(format_args!("invalid CPU `{0}` for 32-bit MIPS target",
                s))
    })format!("invalid CPU `{}` for 32-bit MIPS target", s))
292                }
293                _ if is_32bit => elf::EF_MIPS_ARCH_32R2,
294                _ => elf::EF_MIPS_ARCH_64R2,
295            };
296
297            // Use the explicitly given ABI.
298            match &sess.target.options.llvm_abiname {
299                LlvmAbi::O32 if is_32bit => e_flags |= elf::EF_MIPS_ABI_O32,
300                LlvmAbi::N32 if !is_32bit => e_flags |= elf::EF_MIPS_ABI2,
301                LlvmAbi::N64 if !is_32bit => {}
302                // The rest is invalid (which is already ensured by the target spec check).
303                s => ::rustc_middle::util::bug::bug_fmt(format_args!("invalid LLVM ABI `{0}` for MIPS target",
        s))bug!("invalid LLVM ABI `{}` for MIPS target", s),
304            };
305
306            if sess.target.options.relocation_model != RelocModel::Static {
307                // PIC means position-independent code. CPIC means "calls PIC".
308                // CPIC was mutually exclusive with PIC according to
309                // the SVR4 MIPS ABI https://refspecs.linuxfoundation.org/elf/mipsabi.pdf
310                // and should have only appeared on static objects with dynamically calls.
311                // At some point someone (GCC?) decided to set CPIC even for PIC.
312                // Nowadays various things expect both set on the same object file
313                // and may even error if you mix CPIC and non-CPIC object files,
314                // despite that being the entire point of the CPIC ABI extension!
315                // As we are in Rome, we do as the Romans do.
316                e_flags |= elf::EF_MIPS_PIC | elf::EF_MIPS_CPIC;
317            }
318            if sess.target.options.cpu.contains("r6") {
319                e_flags |= elf::EF_MIPS_NAN2008;
320            }
321            e_flags
322        }
323        Architecture::Riscv32 | Architecture::Riscv64 => {
324            // Source: https://github.com/riscv-non-isa/riscv-elf-psabi-doc/blob/079772828bd10933d34121117a222b4cc0ee2200/riscv-elf.adoc
325            let mut e_flags: u32 = 0x0;
326
327            // Check if compression is enabled
328            if sess.target_features.contains(&sym::zca) {
329                e_flags |= elf::EF_RISCV_RVC;
330            }
331
332            // Check if RVTSO is enabled
333            if sess.target_features.contains(&sym::ztso) {
334                e_flags |= elf::EF_RISCV_TSO;
335            }
336
337            // Set the appropriate flag based on ABI
338            // This needs to match LLVM `RISCVELFStreamer.cpp`
339            match &sess.target.llvm_abiname {
340                LlvmAbi::Ilp32 | LlvmAbi::Lp64 => (),
341                LlvmAbi::Ilp32f | LlvmAbi::Lp64f => e_flags |= elf::EF_RISCV_FLOAT_ABI_SINGLE,
342                LlvmAbi::Ilp32d | LlvmAbi::Lp64d => e_flags |= elf::EF_RISCV_FLOAT_ABI_DOUBLE,
343                // Note that the `lp64e` is still unstable as it's not (yet) part of the ELF psABI.
344                LlvmAbi::Ilp32e | LlvmAbi::Lp64e => e_flags |= elf::EF_RISCV_RVE,
345                _ => ::rustc_middle::util::bug::bug_fmt(format_args!("unknown RISC-V ABI name"))bug!("unknown RISC-V ABI name"),
346            }
347
348            e_flags
349        }
350        Architecture::LoongArch32 | Architecture::LoongArch64 => {
351            // Source: https://github.com/loongson/la-abi-specs/blob/release/laelf.adoc#e_flags-identifies-abi-type-and-version
352            let mut e_flags: u32 = elf::EF_LARCH_OBJABI_V1;
353
354            // Set the appropriate flag based on ABI
355            // This needs to match LLVM `LoongArchELFStreamer.cpp`
356            match &sess.target.llvm_abiname {
357                LlvmAbi::Ilp32s | LlvmAbi::Lp64s => e_flags |= elf::EF_LARCH_ABI_SOFT_FLOAT,
358                LlvmAbi::Ilp32f | LlvmAbi::Lp64f => e_flags |= elf::EF_LARCH_ABI_SINGLE_FLOAT,
359                LlvmAbi::Ilp32d | LlvmAbi::Lp64d => e_flags |= elf::EF_LARCH_ABI_DOUBLE_FLOAT,
360                _ => ::rustc_middle::util::bug::bug_fmt(format_args!("unknown LoongArch ABI name"))bug!("unknown LoongArch ABI name"),
361            }
362
363            e_flags
364        }
365        Architecture::Avr => {
366            // Resolve the ISA revision and set
367            // the appropriate EF_AVR_ARCH flag.
368            if let Some(ref cpu) = sess.opts.cg.target_cpu {
369                ef_avr_arch(cpu)
370            } else {
371                ::rustc_middle::util::bug::bug_fmt(format_args!("AVR CPU not explicitly specified"))bug!("AVR CPU not explicitly specified")
372            }
373        }
374        Architecture::Csky => {
375            if #[allow(non_exhaustive_omitted_patterns)] match sess.target.options.cfg_abi {
    CfgAbi::AbiV2 => true,
    _ => false,
}matches!(sess.target.options.cfg_abi, CfgAbi::AbiV2) {
376                elf::EF_CSKY_ABIV2
377            } else {
378                elf::EF_CSKY_ABIV1
379            }
380        }
381        Architecture::PowerPc64 => {
382            const EF_PPC64_ABI_UNKNOWN: u32 = 0;
383            const EF_PPC64_ABI_ELF_V1: u32 = 1;
384            const EF_PPC64_ABI_ELF_V2: u32 = 2;
385
386            match sess.target.options.llvm_abiname {
387                // If the flags do not correctly indicate the ABI,
388                // linkers such as ld.lld assume that the ppc64 object files are always ELFv2
389                // which leads to broken binaries if ELFv1 is used for the object files.
390                LlvmAbi::ElfV1 => EF_PPC64_ABI_ELF_V1,
391                LlvmAbi::ElfV2 => EF_PPC64_ABI_ELF_V2,
392                _ if sess.target.options.binary_format.to_object() == BinaryFormat::Elf => {
393                    ::rustc_middle::util::bug::bug_fmt(format_args!("invalid ABI specified for this PPC64 ELF target"));bug!("invalid ABI specified for this PPC64 ELF target");
394                }
395                // Fall back
396                _ => EF_PPC64_ABI_UNKNOWN,
397            }
398        }
399        _ => 0,
400    }
401}
402
403/// Mach-O files contain information about:
404/// - The platform/OS they were built for (macOS/watchOS/Mac Catalyst/iOS simulator etc).
405/// - The minimum OS version / deployment target.
406/// - The version of the SDK they were targetting.
407///
408/// In the past, this was accomplished using the LC_VERSION_MIN_MACOSX, LC_VERSION_MIN_IPHONEOS,
409/// LC_VERSION_MIN_TVOS or LC_VERSION_MIN_WATCHOS load commands, which each contain information
410/// about the deployment target and SDK version, and implicitly, by their presence, which OS they
411/// target. Simulator targets were determined if the architecture was x86_64, but there was e.g. a
412/// LC_VERSION_MIN_IPHONEOS present.
413///
414/// This is of course brittle and limited, so modern tooling emit the LC_BUILD_VERSION load
415/// command (which contains all three pieces of information in one) when the deployment target is
416/// high enough, or the target is something that wouldn't be encodable with the old load commands
417/// (such as Mac Catalyst, or Aarch64 iOS simulator).
418///
419/// Since Xcode 15, Apple's LD apparently requires object files to use this load command, so this
420/// returns the `MachOBuildVersion` for the target to do so.
421fn macho_object_build_version_for_target(sess: &Session) -> object::write::MachOBuildVersion {
422    /// The `object` crate demands "X.Y.Z encoded in nibbles as xxxx.yy.zz"
423    /// e.g. minOS 14.0 = 0x000E0000, or SDK 16.2 = 0x00100200
424    fn pack_version(apple::OSVersion { major, minor, patch }: apple::OSVersion) -> u32 {
425        let (major, minor, patch) = (major as u32, minor as u32, patch as u32);
426        (major << 16) | (minor << 8) | patch
427    }
428
429    let platform = apple::macho_platform(&sess.target);
430    let min_os = sess.apple_deployment_target();
431
432    let mut build_version = object::write::MachOBuildVersion::default();
433    build_version.platform = platform;
434    build_version.minos = pack_version(min_os);
435    // The version here does not _really_ matter, since it is only used at runtime, and we specify
436    // it when linking the final binary, so we will omit the version. This is also what LLVM does,
437    // and the tooling also allows this (and shows the SDK version as `n/a`). Finally, it is the
438    // semantically correct choice, as the SDK has not influenced the binary generated by rustc at
439    // this point in time.
440    build_version.sdk = 0;
441
442    build_version
443}
444
445/// Is Apple's CPU subtype `arm64e`s
446fn macho_is_arm64e(target: &Target) -> bool {
447    target.llvm_target.starts_with("arm64e")
448}
449
450pub(crate) enum MetadataPosition {
451    First,
452    Last,
453}
454
455/// For rlibs we "pack" rustc metadata into a dummy object file.
456///
457/// Historically it was needed because rustc linked rlibs as whole-archive in some cases.
458/// In that case linkers try to include all files located in an archive, so if metadata is stored
459/// in an archive then it needs to be of a form that the linker is able to process.
460/// Now it's not clear whether metadata still needs to be wrapped into an object file or not.
461///
462/// Note, though, that we don't actually want this metadata to show up in any
463/// final output of the compiler. Instead this is purely for rustc's own
464/// metadata tracking purposes.
465///
466/// With the above in mind, each "flavor" of object format gets special
467/// handling here depending on the target:
468///
469/// * MachO - macos-like targets will insert the metadata into a section that
470///   is sort of fake dwarf debug info. Inspecting the source of the macos
471///   linker this causes these sections to be skipped automatically because
472///   it's not in an allowlist of otherwise well known dwarf section names to
473///   go into the final artifact.
474///
475/// * WebAssembly - this uses wasm files themselves as the object file format
476///   so an empty file with no linking metadata but a single custom section is
477///   created holding our metadata.
478///
479/// * COFF - Windows-like targets create an object with a section that has
480///   the `IMAGE_SCN_LNK_REMOVE` flag set which ensures that if the linker
481///   ever sees the section it doesn't process it and it's removed.
482///
483/// * ELF - All other targets are similar to Windows in that there's a
484///   `SHF_EXCLUDE` flag we can set on sections in an object file to get
485///   automatically removed from the final output.
486pub(crate) fn create_wrapper_file(
487    sess: &Session,
488    section_name: String,
489    data: &[u8],
490) -> (Vec<u8>, MetadataPosition) {
491    let Some(mut file) = create_object_file(sess) else {
492        if sess.target.is_like_wasm {
493            return (
494                create_metadata_file_for_wasm(sess, data, &section_name),
495                MetadataPosition::First,
496            );
497        }
498
499        // Targets using this branch don't have support implemented here yet or
500        // they're not yet implemented in the `object` crate and will likely
501        // fill out this module over time.
502        return (data.to_vec(), MetadataPosition::Last);
503    };
504    let section = if file.format() == BinaryFormat::Xcoff {
505        file.add_section(Vec::new(), b".info".to_vec(), SectionKind::Debug)
506    } else {
507        file.add_section(
508            file.segment_name(StandardSegment::Debug).to_vec(),
509            section_name.into_bytes(),
510            SectionKind::Debug,
511        )
512    };
513    match file.format() {
514        BinaryFormat::Coff => {
515            file.section_mut(section).flags =
516                SectionFlags::Coff { characteristics: pe::IMAGE_SCN_LNK_REMOVE };
517        }
518        BinaryFormat::Elf => {
519            file.section_mut(section).flags =
520                SectionFlags::Elf { sh_flags: elf::SHF_EXCLUDE as u64 };
521        }
522        BinaryFormat::Xcoff => {
523            // AIX system linker may aborts if it meets a valid XCOFF file in archive with no .text, no .data and no .bss.
524            file.add_section(Vec::new(), b".text".to_vec(), SectionKind::Text);
525            file.section_mut(section).flags =
526                SectionFlags::Xcoff { s_flags: xcoff::STYP_INFO as u32 };
527            // Encode string stored in .info section of XCOFF.
528            // FIXME: The length of data here is not guaranteed to fit in a u32.
529            // We may have to split the data into multiple pieces in order to
530            // store in .info section.
531            let len: u32 = data.len().try_into().unwrap();
532            let offset = file.append_section_data(section, &len.to_be_bytes(), 1);
533            // Add a symbol referring to the data in .info section.
534            file.add_symbol(Symbol {
535                name: AIX_METADATA_SYMBOL_NAME.into(),
536                value: offset + 4,
537                size: 0,
538                kind: SymbolKind::Unknown,
539                scope: SymbolScope::Compilation,
540                weak: false,
541                section: SymbolSection::Section(section),
542                flags: SymbolFlags::Xcoff {
543                    n_sclass: xcoff::C_INFO,
544                    x_smtyp: xcoff::C_HIDEXT,
545                    x_smclas: xcoff::C_HIDEXT,
546                    containing_csect: None,
547                },
548            });
549        }
550        _ => {}
551    };
552    file.append_section_data(section, data, 1);
553    (file.write().unwrap(), MetadataPosition::First)
554}
555
556// Historical note:
557//
558// When using link.exe it was seen that the section name `.note.rustc`
559// was getting shortened to `.note.ru`, and according to the PE and COFF
560// specification:
561//
562// > Executable images do not use a string table and do not support
563// > section names longer than 8 characters
564//
565// https://docs.microsoft.com/en-us/windows/win32/debug/pe-format
566//
567// As a result, we choose a slightly shorter name! As to why
568// `.note.rustc` works on MinGW, see
569// https://github.com/llvm/llvm-project/blob/llvmorg-12.0.0/lld/COFF/Writer.cpp#L1190-L1197
570pub fn create_compressed_metadata_file(
571    sess: &Session,
572    metadata: &EncodedMetadata,
573    symbol_name: &str,
574) -> Vec<u8> {
575    let mut packed_metadata = rustc_metadata::METADATA_HEADER.to_vec();
576    packed_metadata.write_all(&(metadata.stub_or_full().len() as u64).to_le_bytes()).unwrap();
577    packed_metadata.extend(metadata.stub_or_full());
578
579    let Some(mut file) = create_object_file(sess) else {
580        if sess.target.is_like_wasm {
581            return create_metadata_file_for_wasm(sess, &packed_metadata, ".rustc");
582        }
583        return packed_metadata.to_vec();
584    };
585    if file.format() == BinaryFormat::Xcoff {
586        return create_compressed_metadata_file_for_xcoff(file, &packed_metadata, symbol_name);
587    }
588    let section = file.add_section(
589        file.segment_name(StandardSegment::Data).to_vec(),
590        b".rustc".to_vec(),
591        SectionKind::ReadOnlyData,
592    );
593    match file.format() {
594        BinaryFormat::Elf => {
595            // Explicitly set no flags to avoid SHF_ALLOC default for data section.
596            file.section_mut(section).flags = SectionFlags::Elf { sh_flags: 0 };
597        }
598        _ => {}
599    };
600    let offset = file.append_section_data(section, &packed_metadata, 1);
601
602    // For MachO and probably PE this is necessary to prevent the linker from throwing away the
603    // .rustc section. For ELF this isn't necessary, but it also doesn't harm.
604    file.add_symbol(Symbol {
605        name: symbol_name.as_bytes().to_vec(),
606        value: offset,
607        size: packed_metadata.len() as u64,
608        kind: SymbolKind::Data,
609        scope: SymbolScope::Dynamic,
610        weak: false,
611        section: SymbolSection::Section(section),
612        flags: SymbolFlags::None,
613    });
614
615    file.write().unwrap()
616}
617
618/// * Xcoff - On AIX, custom sections are merged into predefined sections,
619///   so custom .rustc section is not preserved during linking.
620///   For this reason, we store metadata in predefined .info section, and
621///   define a symbol to reference the metadata. To preserve metadata during
622///   linking on AIX, we have to
623///   1. Create an empty .text section, a empty .data section.
624///   2. Define an empty symbol named `symbol_name` inside .data section.
625///   3. Define an symbol named `AIX_METADATA_SYMBOL_NAME` referencing
626///      data inside .info section.
627///   From XCOFF's view, (2) creates a csect entry in the symbol table, the
628///   symbol created by (3) is a info symbol for the preceding csect. Thus
629///   two symbols are preserved during linking and we can use the second symbol
630///   to reference the metadata.
631pub fn create_compressed_metadata_file_for_xcoff(
632    mut file: write::Object<'_>,
633    data: &[u8],
634    symbol_name: &str,
635) -> Vec<u8> {
636    if !(file.format() == BinaryFormat::Xcoff) {
    ::core::panicking::panic("assertion failed: file.format() == BinaryFormat::Xcoff")
};assert!(file.format() == BinaryFormat::Xcoff);
637    // AIX system linker may aborts if it meets a valid XCOFF file in archive with no .text, no .data and no .bss.
638    file.add_section(Vec::new(), b".text".to_vec(), SectionKind::Text);
639    let data_section = file.add_section(Vec::new(), b".data".to_vec(), SectionKind::Data);
640    let section = file.add_section(Vec::new(), b".info".to_vec(), SectionKind::Debug);
641    file.add_file_symbol("lib.rmeta".into());
642    file.section_mut(section).flags = SectionFlags::Xcoff { s_flags: xcoff::STYP_INFO as u32 };
643    // Add a global symbol to data_section.
644    file.add_symbol(Symbol {
645        name: symbol_name.as_bytes().into(),
646        value: 0,
647        size: 0,
648        kind: SymbolKind::Data,
649        scope: SymbolScope::Dynamic,
650        weak: true,
651        section: SymbolSection::Section(data_section),
652        flags: SymbolFlags::None,
653    });
654    let len: u32 = data.len().try_into().unwrap();
655    let offset = file.append_section_data(section, &len.to_be_bytes(), 1);
656    // Add a symbol referring to the rustc metadata.
657    file.add_symbol(Symbol {
658        name: AIX_METADATA_SYMBOL_NAME.into(),
659        value: offset + 4, // The metadata is preceded by a 4-byte length field.
660        size: 0,
661        kind: SymbolKind::Unknown,
662        scope: SymbolScope::Dynamic,
663        weak: false,
664        section: SymbolSection::Section(section),
665        flags: SymbolFlags::Xcoff {
666            n_sclass: xcoff::C_INFO,
667            x_smtyp: xcoff::C_HIDEXT,
668            x_smclas: xcoff::C_HIDEXT,
669            containing_csect: None,
670        },
671    });
672    file.append_section_data(section, data, 1);
673    file.write().unwrap()
674}
675
676/// Creates a simple WebAssembly object file, which is itself a wasm module,
677/// that contains a custom section of the name `section_name` with contents
678/// `data`.
679///
680/// NB: the `object` crate does not yet have support for writing the wasm
681/// object file format. In lieu of that the `wasm-encoder` crate is used to
682/// build a wasm file by hand.
683///
684/// The wasm object file format is defined at
685/// <https://github.com/WebAssembly/tool-conventions/blob/main/Linking.md>
686/// and mainly consists of a `linking` custom section. In this case the custom
687/// section there is empty except for a version marker indicating what format
688/// it's in.
689///
690/// The main purpose of this is to contain a custom section with `section_name`,
691/// which is then appended after `linking`.
692///
693/// As a further detail the object needs to have a 64-bit memory if `wasm64` is
694/// the target or otherwise it's interpreted as a 32-bit object which is
695/// incompatible with 64-bit ones.
696pub fn create_metadata_file_for_wasm(sess: &Session, data: &[u8], section_name: &str) -> Vec<u8> {
697    if !sess.target.is_like_wasm {
    ::core::panicking::panic("assertion failed: sess.target.is_like_wasm")
};assert!(sess.target.is_like_wasm);
698    let mut module = wasm_encoder::Module::new();
699    let mut imports = wasm_encoder::ImportSection::new();
700
701    if sess.target.pointer_width == 64 {
702        imports.import(
703            "env",
704            "__linear_memory",
705            wasm_encoder::MemoryType {
706                minimum: 0,
707                maximum: None,
708                memory64: true,
709                shared: false,
710                page_size_log2: None,
711            },
712        );
713    }
714
715    if imports.len() > 0 {
716        module.section(&imports);
717    }
718    module.section(&wasm_encoder::CustomSection {
719        name: "linking".into(),
720        data: Cow::Borrowed(&[2]),
721    });
722    module.section(&wasm_encoder::CustomSection { name: section_name.into(), data: data.into() });
723    module.finish()
724}