]> git.proxmox.com Git - rustc.git/blob - compiler/rustc_codegen_cranelift/src/lib.rs
New upstream version 1.64.0+dfsg1
[rustc.git] / compiler / rustc_codegen_cranelift / src / lib.rs
1 #![feature(rustc_private)]
2 // Note: please avoid adding other feature gates where possible
3 #![warn(rust_2018_idioms)]
4 #![warn(unused_lifetimes)]
5 #![warn(unreachable_pub)]
6
7 #[macro_use]
8 extern crate rustc_middle;
9 extern crate rustc_ast;
10 extern crate rustc_codegen_ssa;
11 extern crate rustc_data_structures;
12 extern crate rustc_errors;
13 extern crate rustc_fs_util;
14 extern crate rustc_hir;
15 extern crate rustc_incremental;
16 extern crate rustc_index;
17 extern crate rustc_interface;
18 extern crate rustc_metadata;
19 extern crate rustc_session;
20 extern crate rustc_span;
21 extern crate rustc_target;
22
23 // This prevents duplicating functions and statics that are already part of the host rustc process.
24 #[allow(unused_extern_crates)]
25 extern crate rustc_driver;
26
27 use std::any::Any;
28 use std::cell::Cell;
29
30 use rustc_codegen_ssa::traits::CodegenBackend;
31 use rustc_codegen_ssa::CodegenResults;
32 use rustc_errors::ErrorGuaranteed;
33 use rustc_metadata::EncodedMetadata;
34 use rustc_middle::dep_graph::{WorkProduct, WorkProductId};
35 use rustc_session::config::OutputFilenames;
36 use rustc_session::Session;
37 use rustc_span::Symbol;
38
39 use cranelift_codegen::isa::TargetIsa;
40 use cranelift_codegen::settings::{self, Configurable};
41
42 pub use crate::config::*;
43 use crate::prelude::*;
44
45 mod abi;
46 mod allocator;
47 mod analyze;
48 mod archive;
49 mod base;
50 mod cast;
51 mod codegen_i128;
52 mod common;
53 mod compiler_builtins;
54 mod config;
55 mod constant;
56 mod debuginfo;
57 mod discriminant;
58 mod driver;
59 mod inline_asm;
60 mod intrinsics;
61 mod linkage;
62 mod main_shim;
63 mod num;
64 mod optimize;
65 mod pointer;
66 mod pretty_clif;
67 mod toolchain;
68 mod trap;
69 mod unsize;
70 mod value_and_place;
71 mod vtable;
72
73 mod prelude {
74 pub(crate) use rustc_span::{FileNameDisplayPreference, Span};
75
76 pub(crate) use rustc_hir::def_id::{DefId, LOCAL_CRATE};
77 pub(crate) use rustc_middle::bug;
78 pub(crate) use rustc_middle::mir::{self, *};
79 pub(crate) use rustc_middle::ty::layout::{self, LayoutOf, TyAndLayout};
80 pub(crate) use rustc_middle::ty::{
81 self, FloatTy, Instance, InstanceDef, IntTy, ParamEnv, Ty, TyCtxt, TypeAndMut,
82 TypeFoldable, TypeVisitable, UintTy,
83 };
84 pub(crate) use rustc_target::abi::{Abi, Scalar, Size, VariantIdx};
85
86 pub(crate) use rustc_data_structures::fx::FxHashMap;
87
88 pub(crate) use rustc_index::vec::Idx;
89
90 pub(crate) use cranelift_codegen::ir::condcodes::{FloatCC, IntCC};
91 pub(crate) use cranelift_codegen::ir::function::Function;
92 pub(crate) use cranelift_codegen::ir::types;
93 pub(crate) use cranelift_codegen::ir::{
94 AbiParam, Block, ExternalName, FuncRef, Inst, InstBuilder, MemFlags, Signature, SourceLoc,
95 StackSlot, StackSlotData, StackSlotKind, TrapCode, Type, Value,
96 };
97 pub(crate) use cranelift_codegen::isa::{self, CallConv};
98 pub(crate) use cranelift_codegen::Context;
99 pub(crate) use cranelift_frontend::{FunctionBuilder, FunctionBuilderContext, Variable};
100 pub(crate) use cranelift_module::{self, DataContext, FuncId, Linkage, Module};
101
102 pub(crate) use crate::abi::*;
103 pub(crate) use crate::base::{codegen_operand, codegen_place};
104 pub(crate) use crate::cast::*;
105 pub(crate) use crate::common::*;
106 pub(crate) use crate::debuginfo::{DebugContext, UnwindContext};
107 pub(crate) use crate::pointer::Pointer;
108 pub(crate) use crate::value_and_place::{CPlace, CPlaceInner, CValue};
109 }
110
111 struct PrintOnPanic<F: Fn() -> String>(F);
112 impl<F: Fn() -> String> Drop for PrintOnPanic<F> {
113 fn drop(&mut self) {
114 if ::std::thread::panicking() {
115 println!("{}", (self.0)());
116 }
117 }
118 }
119
120 /// The codegen context holds any information shared between the codegen of individual functions
121 /// inside a single codegen unit with the exception of the Cranelift [`Module`](cranelift_module::Module).
122 struct CodegenCx<'tcx> {
123 tcx: TyCtxt<'tcx>,
124 global_asm: String,
125 inline_asm_index: Cell<usize>,
126 cached_context: Context,
127 debug_context: Option<DebugContext<'tcx>>,
128 unwind_context: UnwindContext,
129 cgu_name: Symbol,
130 }
131
132 impl<'tcx> CodegenCx<'tcx> {
133 fn new(
134 tcx: TyCtxt<'tcx>,
135 backend_config: BackendConfig,
136 isa: &dyn TargetIsa,
137 debug_info: bool,
138 cgu_name: Symbol,
139 ) -> Self {
140 assert_eq!(pointer_ty(tcx), isa.pointer_type());
141
142 let unwind_context =
143 UnwindContext::new(isa, matches!(backend_config.codegen_mode, CodegenMode::Aot));
144 let debug_context = if debug_info && !tcx.sess.target.options.is_like_windows {
145 Some(DebugContext::new(tcx, isa))
146 } else {
147 None
148 };
149 CodegenCx {
150 tcx,
151 global_asm: String::new(),
152 inline_asm_index: Cell::new(0),
153 cached_context: Context::new(),
154 debug_context,
155 unwind_context,
156 cgu_name,
157 }
158 }
159 }
160
161 pub struct CraneliftCodegenBackend {
162 pub config: Option<BackendConfig>,
163 }
164
165 impl CodegenBackend for CraneliftCodegenBackend {
166 fn init(&self, sess: &Session) {
167 use rustc_session::config::Lto;
168 match sess.lto() {
169 Lto::No | Lto::ThinLocal => {}
170 Lto::Thin | Lto::Fat => sess.warn("LTO is not supported. You may get a linker error."),
171 }
172 }
173
174 fn target_features(&self, _sess: &Session, _allow_unstable: bool) -> Vec<rustc_span::Symbol> {
175 vec![]
176 }
177
178 fn print_version(&self) {
179 println!("Cranelift version: {}", cranelift_codegen::VERSION);
180 }
181
182 fn codegen_crate(
183 &self,
184 tcx: TyCtxt<'_>,
185 metadata: EncodedMetadata,
186 need_metadata_module: bool,
187 ) -> Box<dyn Any> {
188 tcx.sess.abort_if_errors();
189 let config = if let Some(config) = self.config.clone() {
190 config
191 } else {
192 if !tcx.sess.unstable_options() && !tcx.sess.opts.cg.llvm_args.is_empty() {
193 tcx.sess.fatal("`-Z unstable-options` must be passed to allow configuring cg_clif");
194 }
195 BackendConfig::from_opts(&tcx.sess.opts.cg.llvm_args)
196 .unwrap_or_else(|err| tcx.sess.fatal(&err))
197 };
198 match config.codegen_mode {
199 CodegenMode::Aot => driver::aot::run_aot(tcx, config, metadata, need_metadata_module),
200 CodegenMode::Jit | CodegenMode::JitLazy => {
201 #[cfg(feature = "jit")]
202 driver::jit::run_jit(tcx, config);
203
204 #[cfg(not(feature = "jit"))]
205 tcx.sess.fatal("jit support was disabled when compiling rustc_codegen_cranelift");
206 }
207 }
208 }
209
210 fn join_codegen(
211 &self,
212 ongoing_codegen: Box<dyn Any>,
213 _sess: &Session,
214 _outputs: &OutputFilenames,
215 ) -> Result<(CodegenResults, FxHashMap<WorkProductId, WorkProduct>), ErrorGuaranteed> {
216 Ok(*ongoing_codegen
217 .downcast::<(CodegenResults, FxHashMap<WorkProductId, WorkProduct>)>()
218 .unwrap())
219 }
220
221 fn link(
222 &self,
223 sess: &Session,
224 codegen_results: CodegenResults,
225 outputs: &OutputFilenames,
226 ) -> Result<(), ErrorGuaranteed> {
227 use rustc_codegen_ssa::back::link::link_binary;
228
229 link_binary(sess, &crate::archive::ArArchiveBuilderBuilder, &codegen_results, outputs)
230 }
231 }
232
233 fn target_triple(sess: &Session) -> target_lexicon::Triple {
234 match sess.target.llvm_target.parse() {
235 Ok(triple) => triple,
236 Err(err) => sess.fatal(&format!("target not recognized: {}", err)),
237 }
238 }
239
240 fn build_isa(sess: &Session, backend_config: &BackendConfig) -> Box<dyn isa::TargetIsa + 'static> {
241 use target_lexicon::BinaryFormat;
242
243 let target_triple = crate::target_triple(sess);
244
245 let mut flags_builder = settings::builder();
246 flags_builder.enable("is_pic").unwrap();
247 flags_builder.set("enable_probestack", "false").unwrap(); // __cranelift_probestack is not provided
248 let enable_verifier = if backend_config.enable_verifier { "true" } else { "false" };
249 flags_builder.set("enable_verifier", enable_verifier).unwrap();
250 flags_builder.set("regalloc_checker", enable_verifier).unwrap();
251
252 let tls_model = match target_triple.binary_format {
253 BinaryFormat::Elf => "elf_gd",
254 BinaryFormat::Macho => "macho",
255 BinaryFormat::Coff => "coff",
256 _ => "none",
257 };
258 flags_builder.set("tls_model", tls_model).unwrap();
259
260 flags_builder.set("enable_simd", "true").unwrap();
261
262 flags_builder.set("enable_llvm_abi_extensions", "true").unwrap();
263
264 use rustc_session::config::OptLevel;
265 match sess.opts.optimize {
266 OptLevel::No => {
267 flags_builder.set("opt_level", "none").unwrap();
268 }
269 OptLevel::Less | OptLevel::Default => {}
270 OptLevel::Size | OptLevel::SizeMin | OptLevel::Aggressive => {
271 flags_builder.set("opt_level", "speed_and_size").unwrap();
272 }
273 }
274
275 let flags = settings::Flags::new(flags_builder);
276
277 let isa_builder = match sess.opts.cg.target_cpu.as_deref() {
278 Some("native") => {
279 let builder = cranelift_native::builder_with_options(true).unwrap();
280 builder
281 }
282 Some(value) => {
283 let mut builder =
284 cranelift_codegen::isa::lookup(target_triple.clone()).unwrap_or_else(|err| {
285 sess.fatal(&format!("can't compile for {}: {}", target_triple, err));
286 });
287 if let Err(_) = builder.enable(value) {
288 sess.fatal("the specified target cpu isn't currently supported by Cranelift.");
289 }
290 builder
291 }
292 None => {
293 let mut builder =
294 cranelift_codegen::isa::lookup(target_triple.clone()).unwrap_or_else(|err| {
295 sess.fatal(&format!("can't compile for {}: {}", target_triple, err));
296 });
297 if target_triple.architecture == target_lexicon::Architecture::X86_64 {
298 // Don't use "haswell" as the default, as it implies `has_lzcnt`.
299 // macOS CI is still at Ivy Bridge EP, so `lzcnt` is interpreted as `bsr`.
300 builder.enable("nehalem").unwrap();
301 }
302 builder
303 }
304 };
305
306 match isa_builder.finish(flags) {
307 Ok(target_isa) => target_isa,
308 Err(err) => sess.fatal(&format!("failed to build TargetIsa: {}", err)),
309 }
310 }
311
312 /// This is the entrypoint for a hot plugged rustc_codegen_cranelift
313 #[no_mangle]
314 pub fn __rustc_codegen_backend() -> Box<dyn CodegenBackend> {
315 Box::new(CraneliftCodegenBackend { config: None })
316 }