1use std::ops::ControlFlow;
2use std::path::{Path, PathBuf};
3
4use rustc_abi::ExternAbi;
5use rustc_attr_parsing::eval_config_entry;
6use rustc_data_structures::fx::FxHashSet;
7use rustc_hir::attrs::{NativeLibKind, PeImportNameType};
8use rustc_hir::def::DefKind;
9use rustc_hir::find_attr;
10use rustc_middle::bug;
11use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags;
12use rustc_middle::query::LocalCrate;
13use rustc_middle::ty::{self, List, Ty, TyCtxt};
14use rustc_session::Session;
15use rustc_session::config::CrateType;
16use rustc_session::cstore::{
17 DllCallingConvention, DllImport, DllImportSymbolType, ForeignModule, NativeLib,
18};
19use rustc_session::search_paths::PathKind;
20use rustc_span::Symbol;
21use rustc_span::def_id::{DefId, LOCAL_CRATE};
22use rustc_target::spec::{Arch, BinaryFormat, CfgAbi, Env, LinkSelfContainedComponents, Os};
23
24use crate::errors;
25
26pub struct NativeLibSearchFallback<'a> {
30 pub self_contained_components: LinkSelfContainedComponents,
31 pub apple_sdk_root: Option<&'a Path>,
32}
33
34pub fn walk_native_lib_search_dirs<R>(
35 sess: &Session,
36 fallback: Option<NativeLibSearchFallback<'_>>,
37 mut f: impl FnMut(&Path, bool ) -> ControlFlow<R>,
38) -> ControlFlow<R> {
39 for search_path in sess.target_filesearch().cli_search_paths(PathKind::Native) {
41 f(&search_path.dir, false)?;
42 }
43 for search_path in sess.target_filesearch().cli_search_paths(PathKind::Framework) {
44 if search_path.kind != PathKind::All {
46 f(&search_path.dir, true)?;
47 }
48 }
49
50 let Some(NativeLibSearchFallback { self_contained_components, apple_sdk_root }) = fallback
51 else {
52 return ControlFlow::Continue(());
53 };
54
55 if self_contained_components.intersects(
58 LinkSelfContainedComponents::LIBC
59 | LinkSelfContainedComponents::UNWIND
60 | LinkSelfContainedComponents::MINGW,
61 ) {
62 f(&sess.target_tlib_path.dir.join("self-contained"), false)?;
63 }
64
65 let has_shared_llvm_apple_darwin =
66 sess.target.is_like_darwin && sess.target_tlib_path.dir.join("libLLVM.dylib").exists();
67
68 if sess.target.cfg_abi == CfgAbi::Fortanix
80 || sess.target.os == Os::Linux
81 || sess.target.os == Os::Fuchsia
82 || sess.target.is_like_aix
83 || sess.target.is_like_darwin
84 && (!sess.sanitizers().is_empty() || has_shared_llvm_apple_darwin)
85 || sess.target.os == Os::Windows
86 && sess.target.env == Env::Gnu
87 && sess.target.cfg_abi == CfgAbi::Llvm
88 {
89 f(&sess.target_tlib_path.dir, false)?;
90 }
91
92 if let Some(sdk_root) = apple_sdk_root
95 && sess.target.env == Env::MacAbi
96 {
97 f(&sdk_root.join("System/iOSSupport/usr/lib"), false)?;
98 f(&sdk_root.join("System/iOSSupport/System/Library/Frameworks"), true)?;
99 }
100
101 ControlFlow::Continue(())
102}
103
104pub fn try_find_native_static_library(
105 sess: &Session,
106 name: &str,
107 verbatim: bool,
108) -> Option<PathBuf> {
109 let default = sess.staticlib_components(verbatim);
110 let formats = if verbatim {
111 ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[default]))vec![default]
112 } else {
113 let unix = ("lib", ".a");
116 if default == unix { ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[default]))vec![default] } else { ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[default, unix]))vec![default, unix] }
117 };
118
119 walk_native_lib_search_dirs(sess, None, |dir, is_framework| {
120 if !is_framework {
121 for (prefix, suffix) in &formats {
122 let test = dir.join(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}{1}{2}", prefix, name, suffix))
})format!("{prefix}{name}{suffix}"));
123 if test.exists() {
124 return ControlFlow::Break(test);
125 }
126 }
127 }
128 ControlFlow::Continue(())
129 })
130 .break_value()
131}
132
133pub fn try_find_native_dynamic_library(
134 sess: &Session,
135 name: &str,
136 verbatim: bool,
137) -> Option<PathBuf> {
138 let default = sess.staticlib_components(verbatim);
139 let formats = if verbatim {
140 ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[default]))vec![default]
141 } else {
142 let meson = ("lib", ".dll.a");
146 let mingw = ("lib", ".a");
148 ::alloc::boxed::box_assume_init_into_vec_unsafe(::alloc::intrinsics::write_box_via_move(::alloc::boxed::Box::new_uninit(),
[default, meson, mingw]))vec![default, meson, mingw]
149 };
150
151 walk_native_lib_search_dirs(sess, None, |dir, is_framework| {
152 if !is_framework {
153 for (prefix, suffix) in &formats {
154 let test = dir.join(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}{1}{2}", prefix, name, suffix))
})format!("{prefix}{name}{suffix}"));
155 if test.exists() {
156 return ControlFlow::Break(test);
157 }
158 }
159 }
160 ControlFlow::Continue(())
161 })
162 .break_value()
163}
164
165pub fn find_native_static_library(name: &str, verbatim: bool, sess: &Session) -> PathBuf {
166 try_find_native_static_library(sess, name, verbatim)
167 .unwrap_or_else(|| sess.dcx().emit_fatal(errors::MissingNativeLibrary::new(name, verbatim)))
168}
169
170fn find_bundled_library(
171 name: Symbol,
172 verbatim: Option<bool>,
173 kind: NativeLibKind,
174 has_cfg: bool,
175 tcx: TyCtxt<'_>,
176) -> Option<Symbol> {
177 let sess = tcx.sess;
178 if let NativeLibKind::Static { bundle: Some(true) | None, whole_archive, .. } = kind
179 && tcx.crate_types().iter().any(|t| #[allow(non_exhaustive_omitted_patterns)] match t {
&CrateType::Rlib | CrateType::StaticLib => true,
_ => false,
}matches!(t, &CrateType::Rlib | CrateType::StaticLib))
180 && (sess.opts.unstable_opts.packed_bundled_libs || has_cfg || whole_archive == Some(true))
181 {
182 let verbatim = verbatim.unwrap_or(false);
183 return find_native_static_library(name.as_str(), verbatim, sess)
184 .file_name()
185 .and_then(|s| s.to_str())
186 .map(Symbol::intern);
187 }
188 None
189}
190
191pub(crate) fn collect(tcx: TyCtxt<'_>, LocalCrate: LocalCrate) -> Vec<NativeLib> {
192 let mut collector = Collector { tcx, libs: Vec::new() };
193 if tcx.sess.opts.unstable_opts.link_directives {
194 for module in tcx.foreign_modules(LOCAL_CRATE).values() {
195 collector.process_module(module);
196 }
197 }
198 collector.process_command_line();
199 collector.libs
200}
201
202pub(crate) fn relevant_lib(sess: &Session, lib: &NativeLib) -> bool {
203 match lib.cfg {
204 Some(ref cfg) => eval_config_entry(sess, cfg).as_bool(),
205 None => true,
206 }
207}
208
209struct Collector<'tcx> {
210 tcx: TyCtxt<'tcx>,
211 libs: Vec<NativeLib>,
212}
213
214impl<'tcx> Collector<'tcx> {
215 fn process_module(&mut self, module: &ForeignModule) {
216 let ForeignModule { def_id, abi, ref foreign_items } = *module;
217 let def_id = def_id.expect_local();
218
219 let sess = self.tcx.sess;
220
221 if #[allow(non_exhaustive_omitted_patterns)] match abi {
ExternAbi::Rust => true,
_ => false,
}matches!(abi, ExternAbi::Rust) {
222 return;
223 }
224
225 for attr in
226 {
{
'done:
{
for i in
::rustc_hir::attrs::HasAttrs::get_attrs(def_id, &self.tcx) {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(Link(links, _)) => {
break 'done Some(links);
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}
}find_attr!(self.tcx, def_id, Link(links, _) => links).iter().map(|v| v.iter()).flatten()
227 {
228 let dll_imports = match attr.kind {
229 NativeLibKind::RawDylib { .. } => foreign_items
230 .iter()
231 .map(|&child_item| {
232 self.build_dll_import(
233 abi,
234 attr.import_name_type.map(|(import_name_type, _)| import_name_type),
235 child_item,
236 )
237 })
238 .collect(),
239 _ => {
240 for &child_item in foreign_items {
241 if let Some(span) =
242 {
{
'done:
{
for i in
::rustc_hir::attrs::HasAttrs::get_attrs(child_item, &self.tcx)
{
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(LinkOrdinal { span, .. }) => {
break 'done Some(*span);
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}
}find_attr!(self.tcx, child_item, LinkOrdinal {span, ..} => *span)
243 {
244 sess.dcx().emit_err(errors::LinkOrdinalRawDylib { span });
245 }
246 }
247
248 Vec::new()
249 }
250 };
251
252 let filename = find_bundled_library(
253 attr.name,
254 attr.verbatim,
255 attr.kind,
256 attr.cfg.is_some(),
257 self.tcx,
258 );
259 self.libs.push(NativeLib {
260 name: attr.name,
261 filename,
262 kind: attr.kind,
263 cfg: attr.cfg.clone(),
264 foreign_module: Some(def_id.to_def_id()),
265 verbatim: attr.verbatim,
266 dll_imports,
267 });
268 }
269 }
270
271 fn process_command_line(&mut self) {
273 let mut renames = FxHashSet::default();
275 for lib in &self.tcx.sess.opts.libs {
276 if let NativeLibKind::Framework { .. } = lib.kind
277 && !self.tcx.sess.target.is_like_darwin
278 {
279 self.tcx.dcx().emit_err(errors::LibFrameworkApple);
281 }
282 if let Some(ref new_name) = lib.new_name {
283 let any_duplicate = self.libs.iter().any(|n| n.name.as_str() == lib.name);
284 if new_name.is_empty() {
285 self.tcx.dcx().emit_err(errors::EmptyRenamingTarget { lib_name: &lib.name });
286 } else if !any_duplicate {
287 self.tcx.dcx().emit_err(errors::RenamingNoLink { lib_name: &lib.name });
288 } else if !renames.insert(&lib.name) {
289 self.tcx.dcx().emit_err(errors::MultipleRenamings { lib_name: &lib.name });
290 }
291 }
292 }
293
294 for passed_lib in &self.tcx.sess.opts.libs {
302 let mut existing = self
306 .libs
307 .extract_if(.., |lib| {
308 if lib.name.as_str() == passed_lib.name {
309 if lib.has_modifiers() || passed_lib.has_modifiers() {
313 match lib.foreign_module {
314 Some(def_id) => {
315 self.tcx.dcx().emit_err(errors::NoLinkModOverride {
316 span: Some(self.tcx.def_span(def_id)),
317 })
318 }
319 None => self
320 .tcx
321 .dcx()
322 .emit_err(errors::NoLinkModOverride { span: None }),
323 };
324 }
325 if passed_lib.kind != NativeLibKind::Unspecified {
326 lib.kind = passed_lib.kind;
327 }
328 if let Some(new_name) = &passed_lib.new_name {
329 lib.name = Symbol::intern(new_name);
330 }
331 lib.verbatim = passed_lib.verbatim;
332 return true;
333 }
334 false
335 })
336 .collect::<Vec<_>>();
337 if existing.is_empty() {
338 let new_name: Option<&str> = passed_lib.new_name.as_deref();
340 let name = Symbol::intern(new_name.unwrap_or(&passed_lib.name));
341 let filename = find_bundled_library(
342 name,
343 passed_lib.verbatim,
344 passed_lib.kind,
345 false,
346 self.tcx,
347 );
348 self.libs.push(NativeLib {
349 name,
350 filename,
351 kind: passed_lib.kind,
352 cfg: None,
353 foreign_module: None,
354 verbatim: passed_lib.verbatim,
355 dll_imports: Vec::new(),
356 });
357 } else {
358 self.libs.append(&mut existing);
361 }
362 }
363 }
364
365 fn i686_arg_list_size(&self, item: DefId) -> usize {
366 let argument_types: &List<Ty<'_>> = self.tcx.instantiate_bound_regions_with_erased(
367 self.tcx
368 .type_of(item)
369 .instantiate_identity()
370 .fn_sig(self.tcx)
371 .inputs()
372 .map_bound(|slice| self.tcx.mk_type_list(slice)),
373 );
374
375 argument_types
376 .iter()
377 .map(|ty| {
378 let layout = self
379 .tcx
380 .layout_of(ty::TypingEnv::fully_monomorphized().as_query_input(ty))
381 .expect("layout")
382 .layout;
383 (layout.size().bytes_usize() + 3) & !3
386 })
387 .sum()
388 }
389
390 fn build_dll_import(
391 &self,
392 abi: ExternAbi,
393 import_name_type: Option<PeImportNameType>,
394 item: DefId,
395 ) -> DllImport {
396 let span = self.tcx.def_span(item);
397
398 if !self.tcx.sess.target.is_abi_supported(abi) {
::core::panicking::panic("assertion failed: self.tcx.sess.target.is_abi_supported(abi)")
};assert!(self.tcx.sess.target.is_abi_supported(abi));
401
402 let calling_convention = if self.tcx.sess.target.arch == Arch::X86 {
406 match abi {
407 ExternAbi::C { .. } | ExternAbi::Cdecl { .. } => DllCallingConvention::C,
408 ExternAbi::Stdcall { .. } => {
409 DllCallingConvention::Stdcall(self.i686_arg_list_size(item))
410 }
411 ExternAbi::System { .. } => {
415 let c_variadic =
416 self.tcx.type_of(item).instantiate_identity().fn_sig(self.tcx).c_variadic();
417
418 if c_variadic {
419 DllCallingConvention::C
420 } else {
421 DllCallingConvention::Stdcall(self.i686_arg_list_size(item))
422 }
423 }
424 ExternAbi::Fastcall { .. } => {
425 DllCallingConvention::Fastcall(self.i686_arg_list_size(item))
426 }
427 ExternAbi::Vectorcall { .. } => {
428 DllCallingConvention::Vectorcall(self.i686_arg_list_size(item))
429 }
430 _ => {
431 self.tcx.dcx().emit_fatal(errors::RawDylibUnsupportedAbi { span });
432 }
433 }
434 } else {
435 match abi {
436 ExternAbi::C { .. } | ExternAbi::Win64 { .. } | ExternAbi::System { .. } => {
437 DllCallingConvention::C
438 }
439 _ => {
440 self.tcx.dcx().emit_fatal(errors::RawDylibUnsupportedAbi { span });
441 }
442 }
443 };
444
445 let codegen_fn_attrs = self.tcx.codegen_fn_attrs(item);
446 let import_name_type = codegen_fn_attrs
447 .link_ordinal
448 .map_or(import_name_type, |ord| Some(PeImportNameType::Ordinal(ord)));
449
450 let name = codegen_fn_attrs.symbol_name.unwrap_or_else(|| self.tcx.item_name(item));
451
452 if self.tcx.sess.target.binary_format == BinaryFormat::Elf {
453 let name = name.as_str();
454 if name.contains('\0') {
455 self.tcx.dcx().emit_err(errors::RawDylibMalformed { span });
456 } else if let Some((left, right)) = name.split_once('@')
457 && (left.is_empty() || right.is_empty() || right.contains('@'))
458 {
459 self.tcx.dcx().emit_err(errors::RawDylibMalformed { span });
460 }
461 }
462
463 let def_kind = self.tcx.def_kind(item);
464 let symbol_type = if def_kind.is_fn_like() {
465 DllImportSymbolType::Function
466 } else if #[allow(non_exhaustive_omitted_patterns)] match def_kind {
DefKind::Static { .. } => true,
_ => false,
}matches!(def_kind, DefKind::Static { .. }) {
467 if codegen_fn_attrs.flags.contains(CodegenFnAttrFlags::THREAD_LOCAL) {
468 DllImportSymbolType::ThreadLocal
469 } else {
470 DllImportSymbolType::Static
471 }
472 } else {
473 ::rustc_middle::util::bug::bug_fmt(format_args!("Unexpected type for raw-dylib: {0}",
def_kind.descr(item)));bug!("Unexpected type for raw-dylib: {}", def_kind.descr(item));
474 };
475
476 let size = match symbol_type {
477 DllImportSymbolType::Function => rustc_abi::Size::ZERO,
479 DllImportSymbolType::Static | DllImportSymbolType::ThreadLocal => {
480 let ty = self.tcx.type_of(item).instantiate_identity();
481 self.tcx
482 .layout_of(ty::TypingEnv::fully_monomorphized().as_query_input(ty))
483 .ok()
484 .map(|layout| layout.size)
485 .unwrap_or_else(|| ::rustc_middle::util::bug::bug_fmt(format_args!("Non-function symbols must have a size"))bug!("Non-function symbols must have a size"))
486 }
487 };
488
489 DllImport { name, import_name_type, calling_convention, span, symbol_type, size }
490 }
491}