]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_codegen_llvm/src/consts.rs
Rollup merge of #104849 - GuillaumeGomez:source-code-sidebar-css-migration, r=notriddle
[rust.git] / compiler / rustc_codegen_llvm / src / consts.rs
1 use crate::base;
2 use crate::common::{self, CodegenCx};
3 use crate::debuginfo;
4 use crate::errors::{InvalidMinimumAlignment, LinkageConstOrMutType, SymbolAlreadyDefined};
5 use crate::llvm::{self, True};
6 use crate::llvm_util;
7 use crate::type_::Type;
8 use crate::type_of::LayoutLlvmExt;
9 use crate::value::Value;
10 use cstr::cstr;
11 use libc::c_uint;
12 use rustc_codegen_ssa::traits::*;
13 use rustc_hir::def_id::DefId;
14 use rustc_middle::middle::codegen_fn_attrs::{CodegenFnAttrFlags, CodegenFnAttrs};
15 use rustc_middle::mir::interpret::{
16     read_target_uint, Allocation, ConstAllocation, ErrorHandled, GlobalAlloc, InitChunk, Pointer,
17     Scalar as InterpScalar,
18 };
19 use rustc_middle::mir::mono::MonoItem;
20 use rustc_middle::ty::layout::LayoutOf;
21 use rustc_middle::ty::{self, Instance, Ty};
22 use rustc_middle::{bug, span_bug};
23 use rustc_session::config::Lto;
24 use rustc_target::abi::{
25     AddressSpace, Align, HasDataLayout, Primitive, Scalar, Size, WrappingRange,
26 };
27 use std::ops::Range;
28
29 pub fn const_alloc_to_llvm<'ll>(cx: &CodegenCx<'ll, '_>, alloc: ConstAllocation<'_>) -> &'ll Value {
30     let alloc = alloc.inner();
31     let mut llvals = Vec::with_capacity(alloc.provenance().ptrs().len() + 1);
32     let dl = cx.data_layout();
33     let pointer_size = dl.pointer_size.bytes() as usize;
34
35     // Note: this function may call `inspect_with_uninit_and_ptr_outside_interpreter`, so `range`
36     // must be within the bounds of `alloc` and not contain or overlap a pointer provenance.
37     fn append_chunks_of_init_and_uninit_bytes<'ll, 'a, 'b>(
38         llvals: &mut Vec<&'ll Value>,
39         cx: &'a CodegenCx<'ll, 'b>,
40         alloc: &'a Allocation,
41         range: Range<usize>,
42     ) {
43         let chunks = alloc.init_mask().range_as_init_chunks(range.clone().into());
44
45         let chunk_to_llval = move |chunk| match chunk {
46             InitChunk::Init(range) => {
47                 let range = (range.start.bytes() as usize)..(range.end.bytes() as usize);
48                 let bytes = alloc.inspect_with_uninit_and_ptr_outside_interpreter(range);
49                 cx.const_bytes(bytes)
50             }
51             InitChunk::Uninit(range) => {
52                 let len = range.end.bytes() - range.start.bytes();
53                 cx.const_undef(cx.type_array(cx.type_i8(), len))
54             }
55         };
56
57         // Generating partially-uninit consts is limited to small numbers of chunks,
58         // to avoid the cost of generating large complex const expressions.
59         // For example, `[(u32, u8); 1024 * 1024]` contains uninit padding in each element,
60         // and would result in `{ [5 x i8] zeroinitializer, [3 x i8] undef, ...repeat 1M times... }`.
61         let max = if llvm_util::get_version() < (14, 0, 0) {
62             // Generating partially-uninit consts inhibits optimizations in LLVM < 14.
63             // See https://github.com/rust-lang/rust/issues/84565.
64             1
65         } else {
66             cx.sess().opts.unstable_opts.uninit_const_chunk_threshold
67         };
68         let allow_uninit_chunks = chunks.clone().take(max.saturating_add(1)).count() <= max;
69
70         if allow_uninit_chunks {
71             llvals.extend(chunks.map(chunk_to_llval));
72         } else {
73             // If this allocation contains any uninit bytes, codegen as if it was initialized
74             // (using some arbitrary value for uninit bytes).
75             let bytes = alloc.inspect_with_uninit_and_ptr_outside_interpreter(range);
76             llvals.push(cx.const_bytes(bytes));
77         }
78     }
79
80     let mut next_offset = 0;
81     for &(offset, alloc_id) in alloc.provenance().ptrs().iter() {
82         let offset = offset.bytes();
83         assert_eq!(offset as usize as u64, offset);
84         let offset = offset as usize;
85         if offset > next_offset {
86             // This `inspect` is okay since we have checked that there is no provenance, it
87             // is within the bounds of the allocation, and it doesn't affect interpreter execution
88             // (we inspect the result after interpreter execution).
89             append_chunks_of_init_and_uninit_bytes(&mut llvals, cx, alloc, next_offset..offset);
90         }
91         let ptr_offset = read_target_uint(
92             dl.endian,
93             // This `inspect` is okay since it is within the bounds of the allocation, it doesn't
94             // affect interpreter execution (we inspect the result after interpreter execution),
95             // and we properly interpret the provenance as a relocation pointer offset.
96             alloc.inspect_with_uninit_and_ptr_outside_interpreter(offset..(offset + pointer_size)),
97         )
98         .expect("const_alloc_to_llvm: could not read relocation pointer")
99             as u64;
100
101         let address_space = match cx.tcx.global_alloc(alloc_id) {
102             GlobalAlloc::Function(..) => cx.data_layout().instruction_address_space,
103             GlobalAlloc::Static(..) | GlobalAlloc::Memory(..) | GlobalAlloc::VTable(..) => {
104                 AddressSpace::DATA
105             }
106         };
107
108         llvals.push(cx.scalar_to_backend(
109             InterpScalar::from_pointer(
110                 Pointer::new(alloc_id, Size::from_bytes(ptr_offset)),
111                 &cx.tcx,
112             ),
113             Scalar::Initialized {
114                 value: Primitive::Pointer,
115                 valid_range: WrappingRange::full(dl.pointer_size),
116             },
117             cx.type_i8p_ext(address_space),
118         ));
119         next_offset = offset + pointer_size;
120     }
121     if alloc.len() >= next_offset {
122         let range = next_offset..alloc.len();
123         // This `inspect` is okay since we have check that it is after all provenance, it is
124         // within the bounds of the allocation, and it doesn't affect interpreter execution (we
125         // inspect the result after interpreter execution).
126         append_chunks_of_init_and_uninit_bytes(&mut llvals, cx, alloc, range);
127     }
128
129     cx.const_struct(&llvals, true)
130 }
131
132 pub fn codegen_static_initializer<'ll, 'tcx>(
133     cx: &CodegenCx<'ll, 'tcx>,
134     def_id: DefId,
135 ) -> Result<(&'ll Value, ConstAllocation<'tcx>), ErrorHandled> {
136     let alloc = cx.tcx.eval_static_initializer(def_id)?;
137     Ok((const_alloc_to_llvm(cx, alloc), alloc))
138 }
139
140 fn set_global_alignment<'ll>(cx: &CodegenCx<'ll, '_>, gv: &'ll Value, mut align: Align) {
141     // The target may require greater alignment for globals than the type does.
142     // Note: GCC and Clang also allow `__attribute__((aligned))` on variables,
143     // which can force it to be smaller.  Rust doesn't support this yet.
144     if let Some(min) = cx.sess().target.min_global_align {
145         match Align::from_bits(min) {
146             Ok(min) => align = align.max(min),
147             Err(err) => {
148                 cx.sess().emit_err(InvalidMinimumAlignment { err });
149             }
150         }
151     }
152     unsafe {
153         llvm::LLVMSetAlignment(gv, align.bytes() as u32);
154     }
155 }
156
157 fn check_and_apply_linkage<'ll, 'tcx>(
158     cx: &CodegenCx<'ll, 'tcx>,
159     attrs: &CodegenFnAttrs,
160     ty: Ty<'tcx>,
161     sym: &str,
162     def_id: DefId,
163 ) -> &'ll Value {
164     let llty = cx.layout_of(ty).llvm_type(cx);
165     if let Some(linkage) = attrs.linkage {
166         debug!("get_static: sym={} linkage={:?}", sym, linkage);
167
168         // If this is a static with a linkage specified, then we need to handle
169         // it a little specially. The typesystem prevents things like &T and
170         // extern "C" fn() from being non-null, so we can't just declare a
171         // static and call it a day. Some linkages (like weak) will make it such
172         // that the static actually has a null value.
173         let llty2 = if let ty::RawPtr(ref mt) = ty.kind() {
174             cx.layout_of(mt.ty).llvm_type(cx)
175         } else {
176             cx.sess().emit_fatal(LinkageConstOrMutType { span: cx.tcx.def_span(def_id) })
177         };
178         unsafe {
179             // Declare a symbol `foo` with the desired linkage.
180             let g1 = cx.declare_global(sym, llty2);
181             llvm::LLVMRustSetLinkage(g1, base::linkage_to_llvm(linkage));
182
183             // Declare an internal global `extern_with_linkage_foo` which
184             // is initialized with the address of `foo`.  If `foo` is
185             // discarded during linking (for example, if `foo` has weak
186             // linkage and there are no definitions), then
187             // `extern_with_linkage_foo` will instead be initialized to
188             // zero.
189             let mut real_name = "_rust_extern_with_linkage_".to_string();
190             real_name.push_str(sym);
191             let g2 = cx.define_global(&real_name, llty).unwrap_or_else(|| {
192                 cx.sess().emit_fatal(SymbolAlreadyDefined {
193                     span: cx.tcx.def_span(def_id),
194                     symbol_name: sym,
195                 })
196             });
197             llvm::LLVMRustSetLinkage(g2, llvm::Linkage::InternalLinkage);
198             llvm::LLVMSetInitializer(g2, g1);
199             g2
200         }
201     } else if cx.tcx.sess.target.arch == "x86" &&
202         let Some(dllimport) = common::get_dllimport(cx.tcx, def_id, sym)
203     {
204         cx.declare_global(&common::i686_decorated_name(&dllimport, common::is_mingw_gnu_toolchain(&cx.tcx.sess.target), true), llty)
205     } else {
206         // Generate an external declaration.
207         // FIXME(nagisa): investigate whether it can be changed into define_global
208         cx.declare_global(sym, llty)
209     }
210 }
211
212 pub fn ptrcast<'ll>(val: &'ll Value, ty: &'ll Type) -> &'ll Value {
213     unsafe { llvm::LLVMConstPointerCast(val, ty) }
214 }
215
216 impl<'ll> CodegenCx<'ll, '_> {
217     pub(crate) fn const_bitcast(&self, val: &'ll Value, ty: &'ll Type) -> &'ll Value {
218         unsafe { llvm::LLVMConstBitCast(val, ty) }
219     }
220
221     pub(crate) fn static_addr_of_mut(
222         &self,
223         cv: &'ll Value,
224         align: Align,
225         kind: Option<&str>,
226     ) -> &'ll Value {
227         unsafe {
228             let gv = match kind {
229                 Some(kind) if !self.tcx.sess.fewer_names() => {
230                     let name = self.generate_local_symbol_name(kind);
231                     let gv = self.define_global(&name, self.val_ty(cv)).unwrap_or_else(|| {
232                         bug!("symbol `{}` is already defined", name);
233                     });
234                     llvm::LLVMRustSetLinkage(gv, llvm::Linkage::PrivateLinkage);
235                     gv
236                 }
237                 _ => self.define_private_global(self.val_ty(cv)),
238             };
239             llvm::LLVMSetInitializer(gv, cv);
240             set_global_alignment(self, gv, align);
241             llvm::SetUnnamedAddress(gv, llvm::UnnamedAddr::Global);
242             gv
243         }
244     }
245
246     pub(crate) fn get_static(&self, def_id: DefId) -> &'ll Value {
247         let instance = Instance::mono(self.tcx, def_id);
248         if let Some(&g) = self.instances.borrow().get(&instance) {
249             return g;
250         }
251
252         let defined_in_current_codegen_unit =
253             self.codegen_unit.items().contains_key(&MonoItem::Static(def_id));
254         assert!(
255             !defined_in_current_codegen_unit,
256             "consts::get_static() should always hit the cache for \
257                  statics defined in the same CGU, but did not for `{:?}`",
258             def_id
259         );
260
261         let ty = instance.ty(self.tcx, ty::ParamEnv::reveal_all());
262         let sym = self.tcx.symbol_name(instance).name;
263         let fn_attrs = self.tcx.codegen_fn_attrs(def_id);
264
265         debug!("get_static: sym={} instance={:?} fn_attrs={:?}", sym, instance, fn_attrs);
266
267         let g = if def_id.is_local() && !self.tcx.is_foreign_item(def_id) {
268             let llty = self.layout_of(ty).llvm_type(self);
269             if let Some(g) = self.get_declared_value(sym) {
270                 if self.val_ty(g) != self.type_ptr_to(llty) {
271                     span_bug!(self.tcx.def_span(def_id), "Conflicting types for static");
272                 }
273             }
274
275             let g = self.declare_global(sym, llty);
276
277             if !self.tcx.is_reachable_non_generic(def_id) {
278                 unsafe {
279                     llvm::LLVMRustSetVisibility(g, llvm::Visibility::Hidden);
280                 }
281             }
282
283             g
284         } else {
285             check_and_apply_linkage(self, fn_attrs, ty, sym, def_id)
286         };
287
288         // Thread-local statics in some other crate need to *always* be linked
289         // against in a thread-local fashion, so we need to be sure to apply the
290         // thread-local attribute locally if it was present remotely. If we
291         // don't do this then linker errors can be generated where the linker
292         // complains that one object files has a thread local version of the
293         // symbol and another one doesn't.
294         if fn_attrs.flags.contains(CodegenFnAttrFlags::THREAD_LOCAL) {
295             llvm::set_thread_local_mode(g, self.tls_model);
296         }
297
298         if !def_id.is_local() {
299             let needs_dll_storage_attr = self.use_dll_storage_attrs && !self.tcx.is_foreign_item(def_id) &&
300                 // ThinLTO can't handle this workaround in all cases, so we don't
301                 // emit the attrs. Instead we make them unnecessary by disallowing
302                 // dynamic linking when linker plugin based LTO is enabled.
303                 !self.tcx.sess.opts.cg.linker_plugin_lto.enabled() &&
304                 self.tcx.sess.lto() != Lto::Thin;
305
306             // If this assertion triggers, there's something wrong with commandline
307             // argument validation.
308             debug_assert!(
309                 !(self.tcx.sess.opts.cg.linker_plugin_lto.enabled()
310                     && self.tcx.sess.target.is_like_windows
311                     && self.tcx.sess.opts.cg.prefer_dynamic)
312             );
313
314             if needs_dll_storage_attr {
315                 // This item is external but not foreign, i.e., it originates from an external Rust
316                 // crate. Since we don't know whether this crate will be linked dynamically or
317                 // statically in the final application, we always mark such symbols as 'dllimport'.
318                 // If final linkage happens to be static, we rely on compiler-emitted __imp_ stubs
319                 // to make things work.
320                 //
321                 // However, in some scenarios we defer emission of statics to downstream
322                 // crates, so there are cases where a static with an upstream DefId
323                 // is actually present in the current crate. We can find out via the
324                 // is_codegened_item query.
325                 if !self.tcx.is_codegened_item(def_id) {
326                     unsafe {
327                         llvm::LLVMSetDLLStorageClass(g, llvm::DLLStorageClass::DllImport);
328                     }
329                 }
330             }
331         }
332
333         if self.use_dll_storage_attrs
334             && let Some(library) = self.tcx.native_library(def_id)
335             && library.kind.is_dllimport()
336         {
337             // For foreign (native) libs we know the exact storage type to use.
338             unsafe {
339                 llvm::LLVMSetDLLStorageClass(g, llvm::DLLStorageClass::DllImport);
340             }
341         }
342
343         unsafe {
344             if self.should_assume_dso_local(g, true) {
345                 llvm::LLVMRustSetDSOLocal(g, true);
346             }
347         }
348
349         self.instances.borrow_mut().insert(instance, g);
350         g
351     }
352 }
353
354 impl<'ll> StaticMethods for CodegenCx<'ll, '_> {
355     fn static_addr_of(&self, cv: &'ll Value, align: Align, kind: Option<&str>) -> &'ll Value {
356         if let Some(&gv) = self.const_globals.borrow().get(&cv) {
357             unsafe {
358                 // Upgrade the alignment in cases where the same constant is used with different
359                 // alignment requirements
360                 let llalign = align.bytes() as u32;
361                 if llalign > llvm::LLVMGetAlignment(gv) {
362                     llvm::LLVMSetAlignment(gv, llalign);
363                 }
364             }
365             return gv;
366         }
367         let gv = self.static_addr_of_mut(cv, align, kind);
368         unsafe {
369             llvm::LLVMSetGlobalConstant(gv, True);
370         }
371         self.const_globals.borrow_mut().insert(cv, gv);
372         gv
373     }
374
375     fn codegen_static(&self, def_id: DefId, is_mutable: bool) {
376         unsafe {
377             let attrs = self.tcx.codegen_fn_attrs(def_id);
378
379             let Ok((v, alloc)) = codegen_static_initializer(self, def_id) else {
380                 // Error has already been reported
381                 return;
382             };
383             let alloc = alloc.inner();
384
385             let g = self.get_static(def_id);
386
387             // boolean SSA values are i1, but they have to be stored in i8 slots,
388             // otherwise some LLVM optimization passes don't work as expected
389             let mut val_llty = self.val_ty(v);
390             let v = if val_llty == self.type_i1() {
391                 val_llty = self.type_i8();
392                 llvm::LLVMConstZExt(v, val_llty)
393             } else {
394                 v
395             };
396
397             let instance = Instance::mono(self.tcx, def_id);
398             let ty = instance.ty(self.tcx, ty::ParamEnv::reveal_all());
399             let llty = self.layout_of(ty).llvm_type(self);
400             let g = if val_llty == llty {
401                 g
402             } else {
403                 // If we created the global with the wrong type,
404                 // correct the type.
405                 let name = llvm::get_value_name(g).to_vec();
406                 llvm::set_value_name(g, b"");
407
408                 let linkage = llvm::LLVMRustGetLinkage(g);
409                 let visibility = llvm::LLVMRustGetVisibility(g);
410
411                 let new_g = llvm::LLVMRustGetOrInsertGlobal(
412                     self.llmod,
413                     name.as_ptr().cast(),
414                     name.len(),
415                     val_llty,
416                 );
417
418                 llvm::LLVMRustSetLinkage(new_g, linkage);
419                 llvm::LLVMRustSetVisibility(new_g, visibility);
420
421                 // The old global has had its name removed but is returned by
422                 // get_static since it is in the instance cache. Provide an
423                 // alternative lookup that points to the new global so that
424                 // global_asm! can compute the correct mangled symbol name
425                 // for the global.
426                 self.renamed_statics.borrow_mut().insert(def_id, new_g);
427
428                 // To avoid breaking any invariants, we leave around the old
429                 // global for the moment; we'll replace all references to it
430                 // with the new global later. (See base::codegen_backend.)
431                 self.statics_to_rauw.borrow_mut().push((g, new_g));
432                 new_g
433             };
434             set_global_alignment(self, g, self.align_of(ty));
435             llvm::LLVMSetInitializer(g, v);
436
437             if self.should_assume_dso_local(g, true) {
438                 llvm::LLVMRustSetDSOLocal(g, true);
439             }
440
441             // As an optimization, all shared statics which do not have interior
442             // mutability are placed into read-only memory.
443             if !is_mutable && self.type_is_freeze(ty) {
444                 llvm::LLVMSetGlobalConstant(g, llvm::True);
445             }
446
447             debuginfo::build_global_var_di_node(self, def_id, g);
448
449             if attrs.flags.contains(CodegenFnAttrFlags::THREAD_LOCAL) {
450                 llvm::set_thread_local_mode(g, self.tls_model);
451
452                 // Do not allow LLVM to change the alignment of a TLS on macOS.
453                 //
454                 // By default a global's alignment can be freely increased.
455                 // This allows LLVM to generate more performant instructions
456                 // e.g., using load-aligned into a SIMD register.
457                 //
458                 // However, on macOS 10.10 or below, the dynamic linker does not
459                 // respect any alignment given on the TLS (radar 24221680).
460                 // This will violate the alignment assumption, and causing segfault at runtime.
461                 //
462                 // This bug is very easy to trigger. In `println!` and `panic!`,
463                 // the `LOCAL_STDOUT`/`LOCAL_STDERR` handles are stored in a TLS,
464                 // which the values would be `mem::replace`d on initialization.
465                 // The implementation of `mem::replace` will use SIMD
466                 // whenever the size is 32 bytes or higher. LLVM notices SIMD is used
467                 // and tries to align `LOCAL_STDOUT`/`LOCAL_STDERR` to a 32-byte boundary,
468                 // which macOS's dyld disregarded and causing crashes
469                 // (see issues #51794, #51758, #50867, #48866 and #44056).
470                 //
471                 // To workaround the bug, we trick LLVM into not increasing
472                 // the global's alignment by explicitly assigning a section to it
473                 // (equivalent to automatically generating a `#[link_section]` attribute).
474                 // See the comment in the `GlobalValue::canIncreaseAlignment()` function
475                 // of `lib/IR/Globals.cpp` for why this works.
476                 //
477                 // When the alignment is not increased, the optimized `mem::replace`
478                 // will use load-unaligned instructions instead, and thus avoiding the crash.
479                 //
480                 // We could remove this hack whenever we decide to drop macOS 10.10 support.
481                 if self.tcx.sess.target.is_like_osx {
482                     // The `inspect` method is okay here because we checked for provenance, and
483                     // because we are doing this access to inspect the final interpreter state
484                     // (not as part of the interpreter execution).
485                     //
486                     // FIXME: This check requires that the (arbitrary) value of undefined bytes
487                     // happens to be zero. Instead, we should only check the value of defined bytes
488                     // and set all undefined bytes to zero if this allocation is headed for the
489                     // BSS.
490                     let all_bytes_are_zero = alloc.provenance().ptrs().is_empty()
491                         && alloc
492                             .inspect_with_uninit_and_ptr_outside_interpreter(0..alloc.len())
493                             .iter()
494                             .all(|&byte| byte == 0);
495
496                     let sect_name = if all_bytes_are_zero {
497                         cstr!("__DATA,__thread_bss")
498                     } else {
499                         cstr!("__DATA,__thread_data")
500                     };
501                     llvm::LLVMSetSection(g, sect_name.as_ptr());
502                 }
503             }
504
505             // Wasm statics with custom link sections get special treatment as they
506             // go into custom sections of the wasm executable.
507             if self.tcx.sess.target.is_like_wasm {
508                 if let Some(section) = attrs.link_section {
509                     let section = llvm::LLVMMDStringInContext(
510                         self.llcx,
511                         section.as_str().as_ptr().cast(),
512                         section.as_str().len() as c_uint,
513                     );
514                     assert!(alloc.provenance().ptrs().is_empty());
515
516                     // The `inspect` method is okay here because we checked for provenance, and
517                     // because we are doing this access to inspect the final interpreter state (not
518                     // as part of the interpreter execution).
519                     let bytes =
520                         alloc.inspect_with_uninit_and_ptr_outside_interpreter(0..alloc.len());
521                     let alloc = llvm::LLVMMDStringInContext(
522                         self.llcx,
523                         bytes.as_ptr().cast(),
524                         bytes.len() as c_uint,
525                     );
526                     let data = [section, alloc];
527                     let meta = llvm::LLVMMDNodeInContext(self.llcx, data.as_ptr(), 2);
528                     llvm::LLVMAddNamedMetadataOperand(
529                         self.llmod,
530                         "wasm.custom_sections\0".as_ptr().cast(),
531                         meta,
532                     );
533                 }
534             } else {
535                 base::set_link_section(g, attrs);
536             }
537
538             if attrs.flags.contains(CodegenFnAttrFlags::USED) {
539                 // `USED` and `USED_LINKER` can't be used together.
540                 assert!(!attrs.flags.contains(CodegenFnAttrFlags::USED_LINKER));
541
542                 // The semantics of #[used] in Rust only require the symbol to make it into the
543                 // object file. It is explicitly allowed for the linker to strip the symbol if it
544                 // is dead, which means we are allowed use `llvm.compiler.used` instead of
545                 // `llvm.used` here.
546                 //
547                 // Additionally, https://reviews.llvm.org/D97448 in LLVM 13 started emitting unique
548                 // sections with SHF_GNU_RETAIN flag for llvm.used symbols, which may trigger bugs
549                 // in the handling of `.init_array` (the static constructor list) in versions of
550                 // the gold linker (prior to the one released with binutils 2.36).
551                 //
552                 // That said, we only ever emit these when compiling for ELF targets, unless
553                 // `#[used(compiler)]` is explicitly requested. This is to avoid similar breakage
554                 // on other targets, in particular MachO targets have *their* static constructor
555                 // lists broken if `llvm.compiler.used` is emitted rather than llvm.used. However,
556                 // that check happens when assigning the `CodegenFnAttrFlags` in `rustc_hir_analysis`,
557                 // so we don't need to take care of it here.
558                 self.add_compiler_used_global(g);
559             }
560             if attrs.flags.contains(CodegenFnAttrFlags::USED_LINKER) {
561                 // `USED` and `USED_LINKER` can't be used together.
562                 assert!(!attrs.flags.contains(CodegenFnAttrFlags::USED));
563
564                 self.add_used_global(g);
565             }
566         }
567     }
568
569     /// Add a global value to a list to be stored in the `llvm.used` variable, an array of i8*.
570     fn add_used_global(&self, global: &'ll Value) {
571         let cast = unsafe { llvm::LLVMConstPointerCast(global, self.type_i8p()) };
572         self.used_statics.borrow_mut().push(cast);
573     }
574
575     /// Add a global value to a list to be stored in the `llvm.compiler.used` variable,
576     /// an array of i8*.
577     fn add_compiler_used_global(&self, global: &'ll Value) {
578         let cast = unsafe { llvm::LLVMConstPointerCast(global, self.type_i8p()) };
579         self.compiler_used_statics.borrow_mut().push(cast);
580     }
581 }