]> git.lizzy.rs Git - rust.git/blob - src/driver/aot.rs
Inline driver::codegen_crate
[rust.git] / src / driver / aot.rs
1 //! The AOT driver uses [`cranelift_object`] to write object files suitable for linking into a
2 //! standalone executable.
3
4 use std::path::PathBuf;
5
6 use rustc_codegen_ssa::back::linker::LinkerInfo;
7 use rustc_codegen_ssa::{CodegenResults, CompiledModule, CrateInfo, ModuleKind};
8 use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
9 use rustc_middle::dep_graph::{WorkProduct, WorkProductId};
10 use rustc_middle::middle::cstore::EncodedMetadata;
11 use rustc_middle::mir::mono::{CodegenUnit, MonoItem};
12 use rustc_session::cgu_reuse_tracker::CguReuse;
13 use rustc_session::config::{DebugInfo, OutputType};
14
15 use cranelift_object::ObjectModule;
16
17 use crate::{prelude::*, BackendConfig};
18
19 struct ModuleCodegenResult(CompiledModule, Option<(WorkProductId, WorkProduct)>);
20
21 impl<HCX> HashStable<HCX> for ModuleCodegenResult {
22     fn hash_stable(&self, _: &mut HCX, _: &mut StableHasher) {
23         // do nothing
24     }
25 }
26
27 fn emit_module(
28     tcx: TyCtxt<'_>,
29     backend_config: &BackendConfig,
30     name: String,
31     kind: ModuleKind,
32     module: ObjectModule,
33     debug: Option<DebugContext<'_>>,
34     unwind_context: UnwindContext,
35 ) -> ModuleCodegenResult {
36     let mut product = module.finish();
37
38     if let Some(mut debug) = debug {
39         debug.emit(&mut product);
40     }
41
42     unwind_context.emit(&mut product);
43
44     let tmp_file = tcx.output_filenames(LOCAL_CRATE).temp_path(OutputType::Object, Some(&name));
45     let obj = product.object.write().unwrap();
46     if let Err(err) = std::fs::write(&tmp_file, obj) {
47         tcx.sess.fatal(&format!("error writing object file: {}", err));
48     }
49
50     let work_product = if backend_config.disable_incr_cache {
51         None
52     } else {
53         rustc_incremental::copy_cgu_workproduct_to_incr_comp_cache_dir(
54             tcx.sess,
55             &name,
56             &Some(tmp_file.clone()),
57         )
58     };
59
60     ModuleCodegenResult(
61         CompiledModule { name, kind, object: Some(tmp_file), dwarf_object: None, bytecode: None },
62         work_product,
63     )
64 }
65
66 fn reuse_workproduct_for_cgu(
67     tcx: TyCtxt<'_>,
68     cgu: &CodegenUnit<'_>,
69     work_products: &mut FxHashMap<WorkProductId, WorkProduct>,
70 ) -> CompiledModule {
71     let incr_comp_session_dir = tcx.sess.incr_comp_session_dir();
72     let mut object = None;
73     let work_product = cgu.work_product(tcx);
74     if let Some(saved_file) = &work_product.saved_file {
75         let obj_out = tcx
76             .output_filenames(LOCAL_CRATE)
77             .temp_path(OutputType::Object, Some(&cgu.name().as_str()));
78         object = Some(obj_out.clone());
79         let source_file = rustc_incremental::in_incr_comp_dir(&incr_comp_session_dir, &saved_file);
80         if let Err(err) = rustc_fs_util::link_or_copy(&source_file, &obj_out) {
81             tcx.sess.err(&format!(
82                 "unable to copy {} to {}: {}",
83                 source_file.display(),
84                 obj_out.display(),
85                 err
86             ));
87         }
88     }
89
90     work_products.insert(cgu.work_product_id(), work_product);
91
92     CompiledModule {
93         name: cgu.name().to_string(),
94         kind: ModuleKind::Regular,
95         object,
96         dwarf_object: None,
97         bytecode: None,
98     }
99 }
100
101 fn module_codegen(
102     tcx: TyCtxt<'_>,
103     (backend_config, cgu_name): (BackendConfig, rustc_span::Symbol),
104 ) -> ModuleCodegenResult {
105     let cgu = tcx.codegen_unit(cgu_name);
106     let mono_items = cgu.items_in_deterministic_order(tcx);
107
108     let isa = crate::build_isa(tcx.sess, &backend_config);
109     let mut module = crate::backend::make_module(tcx.sess, isa, cgu_name.as_str().to_string());
110     assert_eq!(pointer_ty(tcx), module.target_config().pointer_type());
111
112     let mut cx = crate::CodegenCx::new(
113         tcx,
114         backend_config.clone(),
115         module.isa(),
116         tcx.sess.opts.debuginfo != DebugInfo::None,
117     );
118     super::predefine_mono_items(tcx, &mut module, &mono_items);
119     for (mono_item, _) in mono_items {
120         match mono_item {
121             MonoItem::Fn(inst) => {
122                 cx.tcx
123                     .sess
124                     .time("codegen fn", || crate::base::codegen_fn(&mut cx, &mut module, inst));
125             }
126             MonoItem::Static(def_id) => crate::constant::codegen_static(tcx, &mut module, def_id),
127             MonoItem::GlobalAsm(item_id) => {
128                 let item = cx.tcx.hir().item(item_id);
129                 if let rustc_hir::ItemKind::GlobalAsm(rustc_hir::GlobalAsm { asm }) = item.kind {
130                     cx.global_asm.push_str(&*asm.as_str());
131                     cx.global_asm.push_str("\n\n");
132                 } else {
133                     bug!("Expected GlobalAsm found {:?}", item);
134                 }
135             }
136         }
137     }
138     crate::main_shim::maybe_create_entry_wrapper(tcx, &mut module, &mut cx.unwind_context);
139
140     let codegen_result = emit_module(
141         tcx,
142         &backend_config,
143         cgu.name().as_str().to_string(),
144         ModuleKind::Regular,
145         module,
146         cx.debug_context,
147         cx.unwind_context,
148     );
149
150     codegen_global_asm(tcx, &cgu.name().as_str(), &cx.global_asm);
151
152     codegen_result
153 }
154
155 pub(crate) fn run_aot(
156     tcx: TyCtxt<'_>,
157     backend_config: BackendConfig,
158     metadata: EncodedMetadata,
159     need_metadata_module: bool,
160 ) -> Box<(CodegenResults, FxHashMap<WorkProductId, WorkProduct>)> {
161     use rustc_span::symbol::sym;
162
163     let crate_attrs = tcx.hir().attrs(rustc_hir::CRATE_HIR_ID);
164     let subsystem = tcx.sess.first_attr_value_str_by_name(crate_attrs, sym::windows_subsystem);
165     let windows_subsystem = subsystem.map(|subsystem| {
166         if subsystem != sym::windows && subsystem != sym::console {
167             tcx.sess.fatal(&format!(
168                 "invalid windows subsystem `{}`, only \
169                                     `windows` and `console` are allowed",
170                 subsystem
171             ));
172         }
173         subsystem.to_string()
174     });
175
176     let mut work_products = FxHashMap::default();
177
178     let cgus = if tcx.sess.opts.output_types.should_codegen() {
179         tcx.collect_and_partition_mono_items(LOCAL_CRATE).1
180     } else {
181         // If only `--emit metadata` is used, we shouldn't perform any codegen.
182         // Also `tcx.collect_and_partition_mono_items` may panic in that case.
183         &[]
184     };
185
186     if tcx.dep_graph.is_fully_enabled() {
187         for cgu in &*cgus {
188             tcx.ensure().codegen_unit(cgu.name());
189         }
190     }
191
192     let modules = super::time(tcx, backend_config.display_cg_time, "codegen mono items", || {
193         cgus.iter()
194             .map(|cgu| {
195                 let cgu_reuse = determine_cgu_reuse(tcx, cgu);
196                 tcx.sess.cgu_reuse_tracker.set_actual_reuse(&cgu.name().as_str(), cgu_reuse);
197
198                 match cgu_reuse {
199                     _ if backend_config.disable_incr_cache => {}
200                     CguReuse::No => {}
201                     CguReuse::PreLto => {
202                         return reuse_workproduct_for_cgu(tcx, &*cgu, &mut work_products);
203                     }
204                     CguReuse::PostLto => unreachable!(),
205                 }
206
207                 let dep_node = cgu.codegen_dep_node(tcx);
208                 let (ModuleCodegenResult(module, work_product), _) = tcx.dep_graph.with_task(
209                     dep_node,
210                     tcx,
211                     (backend_config.clone(), cgu.name()),
212                     module_codegen,
213                     rustc_middle::dep_graph::hash_result,
214                 );
215
216                 if let Some((id, product)) = work_product {
217                     work_products.insert(id, product);
218                 }
219
220                 module
221             })
222             .collect::<Vec<_>>()
223     });
224
225     tcx.sess.abort_if_errors();
226
227     let isa = crate::build_isa(tcx.sess, &backend_config);
228     let mut allocator_module =
229         crate::backend::make_module(tcx.sess, isa, "allocator_shim".to_string());
230     assert_eq!(pointer_ty(tcx), allocator_module.target_config().pointer_type());
231     let mut allocator_unwind_context = UnwindContext::new(tcx, allocator_module.isa(), true);
232     let created_alloc_shim =
233         crate::allocator::codegen(tcx, &mut allocator_module, &mut allocator_unwind_context);
234
235     let allocator_module = if created_alloc_shim {
236         let ModuleCodegenResult(module, work_product) = emit_module(
237             tcx,
238             &backend_config,
239             "allocator_shim".to_string(),
240             ModuleKind::Allocator,
241             allocator_module,
242             None,
243             allocator_unwind_context,
244         );
245         if let Some((id, product)) = work_product {
246             work_products.insert(id, product);
247         }
248         Some(module)
249     } else {
250         None
251     };
252
253     let metadata_module = if need_metadata_module {
254         let _timer = tcx.prof.generic_activity("codegen crate metadata");
255         let (metadata_cgu_name, tmp_file) = tcx.sess.time("write compressed metadata", || {
256             use rustc_middle::mir::mono::CodegenUnitNameBuilder;
257
258             let cgu_name_builder = &mut CodegenUnitNameBuilder::new(tcx);
259             let metadata_cgu_name = cgu_name_builder
260                 .build_cgu_name(LOCAL_CRATE, &["crate"], Some("metadata"))
261                 .as_str()
262                 .to_string();
263
264             let tmp_file = tcx
265                 .output_filenames(LOCAL_CRATE)
266                 .temp_path(OutputType::Metadata, Some(&metadata_cgu_name));
267
268             let obj = crate::backend::with_object(tcx.sess, &metadata_cgu_name, |object| {
269                 crate::metadata::write_metadata(tcx, object);
270             });
271
272             if let Err(err) = std::fs::write(&tmp_file, obj) {
273                 tcx.sess.fatal(&format!("error writing metadata object file: {}", err));
274             }
275
276             (metadata_cgu_name, tmp_file)
277         });
278
279         Some(CompiledModule {
280             name: metadata_cgu_name,
281             kind: ModuleKind::Metadata,
282             object: Some(tmp_file),
283             dwarf_object: None,
284             bytecode: None,
285         })
286     } else {
287         None
288     };
289
290     Box::new((
291         CodegenResults {
292             crate_name: tcx.crate_name(LOCAL_CRATE),
293             modules,
294             allocator_module,
295             metadata_module,
296             metadata,
297             windows_subsystem,
298             linker_info: LinkerInfo::new(tcx),
299             crate_info: CrateInfo::new(tcx),
300         },
301         work_products,
302     ))
303 }
304
305 fn codegen_global_asm(tcx: TyCtxt<'_>, cgu_name: &str, global_asm: &str) {
306     use std::io::Write;
307     use std::process::{Command, Stdio};
308
309     if global_asm.is_empty() {
310         return;
311     }
312
313     if cfg!(not(feature = "inline_asm"))
314         || tcx.sess.target.is_like_osx
315         || tcx.sess.target.is_like_windows
316     {
317         if global_asm.contains("__rust_probestack") {
318             return;
319         }
320
321         // FIXME fix linker error on macOS
322         if cfg!(not(feature = "inline_asm")) {
323             tcx.sess.fatal(
324                 "asm! and global_asm! support is disabled while compiling rustc_codegen_cranelift",
325             );
326         } else {
327             tcx.sess.fatal("asm! and global_asm! are not yet supported on macOS and Windows");
328         }
329     }
330
331     let assembler = crate::toolchain::get_toolchain_binary(tcx.sess, "as");
332     let linker = crate::toolchain::get_toolchain_binary(tcx.sess, "ld");
333
334     // Remove all LLVM style comments
335     let global_asm = global_asm
336         .lines()
337         .map(|line| if let Some(index) = line.find("//") { &line[0..index] } else { line })
338         .collect::<Vec<_>>()
339         .join("\n");
340
341     let output_object_file =
342         tcx.output_filenames(LOCAL_CRATE).temp_path(OutputType::Object, Some(cgu_name));
343
344     // Assemble `global_asm`
345     let global_asm_object_file = add_file_stem_postfix(output_object_file.clone(), ".asm");
346     let mut child = Command::new(assembler)
347         .arg("-o")
348         .arg(&global_asm_object_file)
349         .stdin(Stdio::piped())
350         .spawn()
351         .expect("Failed to spawn `as`.");
352     child.stdin.take().unwrap().write_all(global_asm.as_bytes()).unwrap();
353     let status = child.wait().expect("Failed to wait for `as`.");
354     if !status.success() {
355         tcx.sess.fatal(&format!("Failed to assemble `{}`", global_asm));
356     }
357
358     // Link the global asm and main object file together
359     let main_object_file = add_file_stem_postfix(output_object_file.clone(), ".main");
360     std::fs::rename(&output_object_file, &main_object_file).unwrap();
361     let status = Command::new(linker)
362         .arg("-r") // Create a new object file
363         .arg("-o")
364         .arg(output_object_file)
365         .arg(&main_object_file)
366         .arg(&global_asm_object_file)
367         .status()
368         .unwrap();
369     if !status.success() {
370         tcx.sess.fatal(&format!(
371             "Failed to link `{}` and `{}` together",
372             main_object_file.display(),
373             global_asm_object_file.display(),
374         ));
375     }
376
377     std::fs::remove_file(global_asm_object_file).unwrap();
378     std::fs::remove_file(main_object_file).unwrap();
379 }
380
381 fn add_file_stem_postfix(mut path: PathBuf, postfix: &str) -> PathBuf {
382     let mut new_filename = path.file_stem().unwrap().to_owned();
383     new_filename.push(postfix);
384     if let Some(extension) = path.extension() {
385         new_filename.push(".");
386         new_filename.push(extension);
387     }
388     path.set_file_name(new_filename);
389     path
390 }
391
392 // Adapted from https://github.com/rust-lang/rust/blob/303d8aff6092709edd4dbd35b1c88e9aa40bf6d8/src/librustc_codegen_ssa/base.rs#L922-L953
393 fn determine_cgu_reuse<'tcx>(tcx: TyCtxt<'tcx>, cgu: &CodegenUnit<'tcx>) -> CguReuse {
394     if !tcx.dep_graph.is_fully_enabled() {
395         return CguReuse::No;
396     }
397
398     let work_product_id = &cgu.work_product_id();
399     if tcx.dep_graph.previous_work_product(work_product_id).is_none() {
400         // We don't have anything cached for this CGU. This can happen
401         // if the CGU did not exist in the previous session.
402         return CguReuse::No;
403     }
404
405     // Try to mark the CGU as green. If it we can do so, it means that nothing
406     // affecting the LLVM module has changed and we can re-use a cached version.
407     // If we compile with any kind of LTO, this means we can re-use the bitcode
408     // of the Pre-LTO stage (possibly also the Post-LTO version but we'll only
409     // know that later). If we are not doing LTO, there is only one optimized
410     // version of each module, so we re-use that.
411     let dep_node = cgu.codegen_dep_node(tcx);
412     assert!(
413         !tcx.dep_graph.dep_node_exists(&dep_node),
414         "CompileCodegenUnit dep-node for CGU `{}` already exists before marking.",
415         cgu.name()
416     );
417
418     if tcx.try_mark_green(&dep_node) { CguReuse::PreLto } else { CguReuse::No }
419 }