]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_codegen_cranelift/src/lib.rs
Rollup merge of #82370 - 0yoyoyo:update-issue-81650-point-anonymous-lifetime, r=estebank
[rust.git] / compiler / rustc_codegen_cranelift / src / lib.rs
1 #![feature(
2     rustc_private,
3     decl_macro,
4     type_alias_impl_trait,
5     associated_type_bounds,
6     never_type,
7     try_blocks,
8     hash_drain_filter
9 )]
10 #![warn(rust_2018_idioms)]
11 #![warn(unused_lifetimes)]
12 #![warn(unreachable_pub)]
13
14 #[cfg(feature = "jit")]
15 extern crate libc;
16 extern crate snap;
17 #[macro_use]
18 extern crate rustc_middle;
19 extern crate rustc_ast;
20 extern crate rustc_codegen_ssa;
21 extern crate rustc_data_structures;
22 extern crate rustc_errors;
23 extern crate rustc_fs_util;
24 extern crate rustc_hir;
25 extern crate rustc_incremental;
26 extern crate rustc_index;
27 extern crate rustc_session;
28 extern crate rustc_span;
29 extern crate rustc_target;
30
31 // This prevents duplicating functions and statics that are already part of the host rustc process.
32 #[allow(unused_extern_crates)]
33 extern crate rustc_driver;
34
35 use std::any::Any;
36 use std::str::FromStr;
37
38 use rustc_codegen_ssa::traits::CodegenBackend;
39 use rustc_codegen_ssa::CodegenResults;
40 use rustc_errors::ErrorReported;
41 use rustc_middle::dep_graph::{WorkProduct, WorkProductId};
42 use rustc_middle::middle::cstore::{EncodedMetadata, MetadataLoader};
43 use rustc_middle::ty::query::Providers;
44 use rustc_session::config::OutputFilenames;
45 use rustc_session::Session;
46
47 use cranelift_codegen::settings::{self, Configurable};
48
49 use crate::constant::ConstantCx;
50 use crate::prelude::*;
51
52 mod abi;
53 mod allocator;
54 mod analyze;
55 mod archive;
56 mod atomic_shim;
57 mod backend;
58 mod base;
59 mod cast;
60 mod codegen_i128;
61 mod common;
62 mod constant;
63 mod debuginfo;
64 mod discriminant;
65 mod driver;
66 mod inline_asm;
67 mod intrinsics;
68 mod linkage;
69 mod main_shim;
70 mod metadata;
71 mod num;
72 mod optimize;
73 mod pointer;
74 mod pretty_clif;
75 mod toolchain;
76 mod trap;
77 mod unsize;
78 mod value_and_place;
79 mod vtable;
80
81 mod prelude {
82     pub(crate) use std::convert::{TryFrom, TryInto};
83
84     pub(crate) use rustc_span::Span;
85
86     pub(crate) use rustc_hir::def_id::{DefId, LOCAL_CRATE};
87     pub(crate) use rustc_middle::bug;
88     pub(crate) use rustc_middle::mir::{self, *};
89     pub(crate) use rustc_middle::ty::layout::{self, TyAndLayout};
90     pub(crate) use rustc_middle::ty::{
91         self, FloatTy, Instance, InstanceDef, IntTy, ParamEnv, Ty, TyCtxt, TypeAndMut,
92         TypeFoldable, UintTy,
93     };
94     pub(crate) use rustc_target::abi::{Abi, LayoutOf, Scalar, Size, VariantIdx};
95
96     pub(crate) use rustc_data_structures::fx::FxHashMap;
97
98     pub(crate) use rustc_index::vec::Idx;
99
100     pub(crate) use cranelift_codegen::entity::EntitySet;
101     pub(crate) use cranelift_codegen::ir::condcodes::{FloatCC, IntCC};
102     pub(crate) use cranelift_codegen::ir::function::Function;
103     pub(crate) use cranelift_codegen::ir::types;
104     pub(crate) use cranelift_codegen::ir::{
105         AbiParam, Block, ExternalName, FuncRef, Inst, InstBuilder, MemFlags, Signature, SourceLoc,
106         StackSlot, StackSlotData, StackSlotKind, TrapCode, Type, Value,
107     };
108     pub(crate) use cranelift_codegen::isa::{self, CallConv};
109     pub(crate) use cranelift_codegen::Context;
110     pub(crate) use cranelift_frontend::{FunctionBuilder, FunctionBuilderContext, Variable};
111     pub(crate) use cranelift_module::{self, DataContext, DataId, FuncId, Linkage, Module};
112
113     pub(crate) use crate::abi::*;
114     pub(crate) use crate::base::{codegen_operand, codegen_place};
115     pub(crate) use crate::cast::*;
116     pub(crate) use crate::common::*;
117     pub(crate) use crate::debuginfo::{DebugContext, UnwindContext};
118     pub(crate) use crate::pointer::Pointer;
119     pub(crate) use crate::trap::*;
120     pub(crate) use crate::value_and_place::{CPlace, CPlaceInner, CValue};
121 }
122
123 struct PrintOnPanic<F: Fn() -> String>(F);
124 impl<F: Fn() -> String> Drop for PrintOnPanic<F> {
125     fn drop(&mut self) {
126         if ::std::thread::panicking() {
127             println!("{}", (self.0)());
128         }
129     }
130 }
131
132 struct CodegenCx<'tcx, M: Module> {
133     tcx: TyCtxt<'tcx>,
134     module: M,
135     global_asm: String,
136     constants_cx: ConstantCx,
137     cached_context: Context,
138     vtables: FxHashMap<(Ty<'tcx>, Option<ty::PolyExistentialTraitRef<'tcx>>), DataId>,
139     debug_context: Option<DebugContext<'tcx>>,
140     unwind_context: UnwindContext<'tcx>,
141 }
142
143 impl<'tcx, M: Module> CodegenCx<'tcx, M> {
144     fn new(tcx: TyCtxt<'tcx>, module: M, debug_info: bool, pic_eh_frame: bool) -> Self {
145         let unwind_context = UnwindContext::new(tcx, module.isa(), pic_eh_frame);
146         let debug_context = if debug_info {
147             Some(DebugContext::new(tcx, module.isa()))
148         } else {
149             None
150         };
151         CodegenCx {
152             tcx,
153             module,
154             global_asm: String::new(),
155             constants_cx: ConstantCx::default(),
156             cached_context: Context::new(),
157             vtables: FxHashMap::default(),
158             debug_context,
159             unwind_context,
160         }
161     }
162
163     fn finalize(mut self) -> (M, String, Option<DebugContext<'tcx>>, UnwindContext<'tcx>) {
164         self.constants_cx.finalize(self.tcx, &mut self.module);
165         (
166             self.module,
167             self.global_asm,
168             self.debug_context,
169             self.unwind_context,
170         )
171     }
172 }
173
174 #[derive(Copy, Clone, Debug)]
175 pub enum CodegenMode {
176     Aot,
177     Jit,
178     JitLazy,
179 }
180
181 impl Default for CodegenMode {
182     fn default() -> Self {
183         CodegenMode::Aot
184     }
185 }
186
187 impl FromStr for CodegenMode {
188     type Err = String;
189
190     fn from_str(s: &str) -> Result<Self, Self::Err> {
191         match s {
192             "aot" => Ok(CodegenMode::Aot),
193             "jit" => Ok(CodegenMode::Jit),
194             "jit-lazy" => Ok(CodegenMode::JitLazy),
195             _ => Err(format!("Unknown codegen mode `{}`", s)),
196         }
197     }
198 }
199
200 #[derive(Copy, Clone, Debug, Default)]
201 pub struct BackendConfig {
202     pub codegen_mode: CodegenMode,
203 }
204
205 impl BackendConfig {
206     fn from_opts(opts: &[String]) -> Result<Self, String> {
207         let mut config = BackendConfig::default();
208         for opt in opts {
209             if let Some((name, value)) = opt.split_once('=') {
210                 match name {
211                     "mode" => config.codegen_mode = value.parse()?,
212                     _ => return Err(format!("Unknown option `{}`", name)),
213                 }
214             } else {
215                 return Err(format!("Invalid option `{}`", opt));
216             }
217         }
218         Ok(config)
219     }
220 }
221
222 pub struct CraneliftCodegenBackend {
223     pub config: Option<BackendConfig>,
224 }
225
226 impl CodegenBackend for CraneliftCodegenBackend {
227     fn init(&self, sess: &Session) {
228         if sess.lto() != rustc_session::config::Lto::No && sess.opts.cg.embed_bitcode {
229             sess.warn("LTO is not supported. You may get a linker error.");
230         }
231     }
232
233     fn metadata_loader(&self) -> Box<dyn MetadataLoader + Sync> {
234         Box::new(crate::metadata::CraneliftMetadataLoader)
235     }
236
237     fn provide(&self, _providers: &mut Providers) {}
238     fn provide_extern(&self, _providers: &mut Providers) {}
239
240     fn target_features(&self, _sess: &Session) -> Vec<rustc_span::Symbol> {
241         vec![]
242     }
243
244     fn codegen_crate<'tcx>(
245         &self,
246         tcx: TyCtxt<'tcx>,
247         metadata: EncodedMetadata,
248         need_metadata_module: bool,
249     ) -> Box<dyn Any> {
250         let config = if let Some(config) = self.config {
251             config
252         } else {
253             BackendConfig::from_opts(&tcx.sess.opts.cg.llvm_args)
254                 .unwrap_or_else(|err| tcx.sess.fatal(&err))
255         };
256         let res = driver::codegen_crate(tcx, metadata, need_metadata_module, config);
257
258         res
259     }
260
261     fn join_codegen(
262         &self,
263         ongoing_codegen: Box<dyn Any>,
264         _sess: &Session,
265     ) -> Result<(CodegenResults, FxHashMap<WorkProductId, WorkProduct>), ErrorReported> {
266         Ok(*ongoing_codegen
267             .downcast::<(CodegenResults, FxHashMap<WorkProductId, WorkProduct>)>()
268             .unwrap())
269     }
270
271     fn link(
272         &self,
273         sess: &Session,
274         codegen_results: CodegenResults,
275         outputs: &OutputFilenames,
276     ) -> Result<(), ErrorReported> {
277         use rustc_codegen_ssa::back::link::link_binary;
278
279         let target_cpu = crate::target_triple(sess).to_string();
280         link_binary::<crate::archive::ArArchiveBuilder<'_>>(
281             sess,
282             &codegen_results,
283             outputs,
284             &codegen_results.crate_name.as_str(),
285             &target_cpu,
286         );
287
288         Ok(())
289     }
290 }
291
292 fn target_triple(sess: &Session) -> target_lexicon::Triple {
293     sess.target.llvm_target.parse().unwrap()
294 }
295
296 fn build_isa(sess: &Session) -> Box<dyn isa::TargetIsa + 'static> {
297     use target_lexicon::BinaryFormat;
298
299     let target_triple = crate::target_triple(sess);
300
301     let mut flags_builder = settings::builder();
302     flags_builder.enable("is_pic").unwrap();
303     flags_builder.set("enable_probestack", "false").unwrap(); // __cranelift_probestack is not provided
304     flags_builder
305         .set(
306             "enable_verifier",
307             if cfg!(debug_assertions) {
308                 "true"
309             } else {
310                 "false"
311             },
312         )
313         .unwrap();
314
315     let tls_model = match target_triple.binary_format {
316         BinaryFormat::Elf => "elf_gd",
317         BinaryFormat::Macho => "macho",
318         BinaryFormat::Coff => "coff",
319         _ => "none",
320     };
321     flags_builder.set("tls_model", tls_model).unwrap();
322
323     flags_builder.set("enable_simd", "true").unwrap();
324
325     use rustc_session::config::OptLevel;
326     match sess.opts.optimize {
327         OptLevel::No => {
328             flags_builder.set("opt_level", "none").unwrap();
329         }
330         OptLevel::Less | OptLevel::Default => {}
331         OptLevel::Aggressive => {
332             flags_builder.set("opt_level", "speed_and_size").unwrap();
333         }
334         OptLevel::Size | OptLevel::SizeMin => {
335             sess.warn("Optimizing for size is not supported. Just ignoring the request");
336         }
337     }
338
339     let flags = settings::Flags::new(flags_builder);
340
341     let variant = if cfg!(feature = "oldbe") {
342         cranelift_codegen::isa::BackendVariant::Legacy
343     } else {
344         cranelift_codegen::isa::BackendVariant::MachInst
345     };
346     let mut isa_builder = cranelift_codegen::isa::lookup_variant(target_triple, variant).unwrap();
347     // Don't use "haswell", as it implies `has_lzcnt`.macOS CI is still at Ivy Bridge EP, so `lzcnt`
348     // is interpreted as `bsr`.
349     isa_builder.enable("nehalem").unwrap();
350     isa_builder.finish(flags)
351 }
352
353 /// This is the entrypoint for a hot plugged rustc_codegen_cranelift
354 #[no_mangle]
355 pub fn __rustc_codegen_backend() -> Box<dyn CodegenBackend> {
356     Box::new(CraneliftCodegenBackend { config: None })
357 }