]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_interface/src/util.rs
Detect bare blocks with type ascription that were meant to be a `struct` literal
[rust.git] / compiler / rustc_interface / src / util.rs
1 use rustc_ast::mut_visit::{visit_clobber, MutVisitor, *};
2 use rustc_ast::ptr::P;
3 use rustc_ast::{self as ast, AttrVec, BlockCheckMode};
4 use rustc_codegen_ssa::traits::CodegenBackend;
5 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
6 #[cfg(parallel_compiler)]
7 use rustc_data_structures::jobserver;
8 use rustc_data_structures::sync::Lrc;
9 use rustc_errors::registry::Registry;
10 use rustc_metadata::dynamic_lib::DynamicLibrary;
11 #[cfg(parallel_compiler)]
12 use rustc_middle::ty::tls;
13 #[cfg(parallel_compiler)]
14 use rustc_query_impl::QueryCtxt;
15 use rustc_resolve::{self, Resolver};
16 use rustc_session as session;
17 use rustc_session::config::{self, CrateType};
18 use rustc_session::config::{ErrorOutputType, Input, OutputFilenames};
19 use rustc_session::lint::{self, BuiltinLintDiagnostics, LintBuffer};
20 use rustc_session::parse::CrateConfig;
21 use rustc_session::{early_error, filesearch, output, DiagnosticOutput, Session};
22 use rustc_span::edition::Edition;
23 use rustc_span::lev_distance::find_best_match_for_name;
24 use rustc_span::source_map::FileLoader;
25 use rustc_span::symbol::{sym, Symbol};
26 use smallvec::SmallVec;
27 use std::env;
28 use std::env::consts::{DLL_PREFIX, DLL_SUFFIX};
29 use std::io;
30 use std::lazy::SyncOnceCell;
31 use std::mem;
32 use std::ops::DerefMut;
33 #[cfg(not(parallel_compiler))]
34 use std::panic;
35 use std::path::{Path, PathBuf};
36 use std::sync::atomic::{AtomicBool, Ordering};
37 use std::sync::{Arc, Mutex};
38 use std::thread;
39 use tracing::info;
40
41 /// Adds `target_feature = "..."` cfgs for a variety of platform
42 /// specific features (SSE, NEON etc.).
43 ///
44 /// This is performed by checking whether a set of permitted features
45 /// is available on the target machine, by querying LLVM.
46 pub fn add_configuration(
47     cfg: &mut CrateConfig,
48     sess: &mut Session,
49     codegen_backend: &dyn CodegenBackend,
50 ) {
51     let tf = sym::target_feature;
52
53     let target_features = codegen_backend.target_features(sess);
54     sess.target_features.extend(target_features.iter().cloned());
55
56     cfg.extend(target_features.into_iter().map(|feat| (tf, Some(feat))));
57
58     if sess.crt_static(None) {
59         cfg.insert((tf, Some(sym::crt_dash_static)));
60     }
61 }
62
63 pub fn create_session(
64     sopts: config::Options,
65     cfg: FxHashSet<(String, Option<String>)>,
66     diagnostic_output: DiagnosticOutput,
67     file_loader: Option<Box<dyn FileLoader + Send + Sync + 'static>>,
68     input_path: Option<PathBuf>,
69     lint_caps: FxHashMap<lint::LintId, lint::Level>,
70     make_codegen_backend: Option<
71         Box<dyn FnOnce(&config::Options) -> Box<dyn CodegenBackend> + Send>,
72     >,
73     descriptions: Registry,
74 ) -> (Lrc<Session>, Lrc<Box<dyn CodegenBackend>>) {
75     let codegen_backend = if let Some(make_codegen_backend) = make_codegen_backend {
76         make_codegen_backend(&sopts)
77     } else {
78         get_codegen_backend(
79             &sopts.maybe_sysroot,
80             sopts.debugging_opts.codegen_backend.as_ref().map(|name| &name[..]),
81         )
82     };
83
84     // target_override is documented to be called before init(), so this is okay
85     let target_override = codegen_backend.target_override(&sopts);
86
87     let mut sess = session::build_session(
88         sopts,
89         input_path,
90         descriptions,
91         diagnostic_output,
92         lint_caps,
93         file_loader,
94         target_override,
95     );
96
97     codegen_backend.init(&sess);
98
99     let mut cfg = config::build_configuration(&sess, config::to_crate_config(cfg));
100     add_configuration(&mut cfg, &mut sess, &*codegen_backend);
101     sess.parse_sess.config = cfg;
102
103     (Lrc::new(sess), Lrc::new(codegen_backend))
104 }
105
106 const STACK_SIZE: usize = 8 * 1024 * 1024;
107
108 fn get_stack_size() -> Option<usize> {
109     // FIXME: Hacks on hacks. If the env is trying to override the stack size
110     // then *don't* set it explicitly.
111     env::var_os("RUST_MIN_STACK").is_none().then_some(STACK_SIZE)
112 }
113
114 /// Like a `thread::Builder::spawn` followed by a `join()`, but avoids the need
115 /// for `'static` bounds.
116 #[cfg(not(parallel_compiler))]
117 pub fn scoped_thread<F: FnOnce() -> R + Send, R: Send>(cfg: thread::Builder, f: F) -> R {
118     struct Ptr(*mut ());
119     unsafe impl Send for Ptr {}
120     unsafe impl Sync for Ptr {}
121
122     let mut f = Some(f);
123     let run = Ptr(&mut f as *mut _ as *mut ());
124     let mut result = None;
125     let result_ptr = Ptr(&mut result as *mut _ as *mut ());
126
127     let thread = cfg.spawn(move || {
128         let run = unsafe { (*(run.0 as *mut Option<F>)).take().unwrap() };
129         let result = unsafe { &mut *(result_ptr.0 as *mut Option<R>) };
130         *result = Some(run());
131     });
132
133     match thread.unwrap().join() {
134         Ok(()) => result.unwrap(),
135         Err(p) => panic::resume_unwind(p),
136     }
137 }
138
139 #[cfg(not(parallel_compiler))]
140 pub fn setup_callbacks_and_run_in_thread_pool_with_globals<F: FnOnce() -> R + Send, R: Send>(
141     edition: Edition,
142     _threads: usize,
143     stderr: &Option<Arc<Mutex<Vec<u8>>>>,
144     f: F,
145 ) -> R {
146     let mut cfg = thread::Builder::new().name("rustc".to_string());
147
148     if let Some(size) = get_stack_size() {
149         cfg = cfg.stack_size(size);
150     }
151
152     crate::callbacks::setup_callbacks();
153
154     let main_handler = move || {
155         rustc_span::create_session_globals_then(edition, || {
156             io::set_output_capture(stderr.clone());
157             f()
158         })
159     };
160
161     scoped_thread(cfg, main_handler)
162 }
163
164 /// Creates a new thread and forwards information in thread locals to it.
165 /// The new thread runs the deadlock handler.
166 /// Must only be called when a deadlock is about to happen.
167 #[cfg(parallel_compiler)]
168 unsafe fn handle_deadlock() {
169     let registry = rustc_rayon_core::Registry::current();
170
171     let context = tls::get_tlv();
172     assert!(context != 0);
173     rustc_data_structures::sync::assert_sync::<tls::ImplicitCtxt<'_, '_>>();
174     let icx: &tls::ImplicitCtxt<'_, '_> = &*(context as *const tls::ImplicitCtxt<'_, '_>);
175
176     let session_globals = rustc_span::with_session_globals(|sg| sg as *const _);
177     let session_globals = &*session_globals;
178     thread::spawn(move || {
179         tls::enter_context(icx, |_| {
180             rustc_span::set_session_globals_then(session_globals, || {
181                 tls::with(|tcx| QueryCtxt::from_tcx(tcx).deadlock(&registry))
182             })
183         });
184     });
185 }
186
187 #[cfg(parallel_compiler)]
188 pub fn setup_callbacks_and_run_in_thread_pool_with_globals<F: FnOnce() -> R + Send, R: Send>(
189     edition: Edition,
190     threads: usize,
191     stderr: &Option<Arc<Mutex<Vec<u8>>>>,
192     f: F,
193 ) -> R {
194     crate::callbacks::setup_callbacks();
195
196     let mut config = rayon::ThreadPoolBuilder::new()
197         .thread_name(|_| "rustc".to_string())
198         .acquire_thread_handler(jobserver::acquire_thread)
199         .release_thread_handler(jobserver::release_thread)
200         .num_threads(threads)
201         .deadlock_handler(|| unsafe { handle_deadlock() });
202
203     if let Some(size) = get_stack_size() {
204         config = config.stack_size(size);
205     }
206
207     let with_pool = move |pool: &rayon::ThreadPool| pool.install(f);
208
209     rustc_span::create_session_globals_then(edition, || {
210         rustc_span::with_session_globals(|session_globals| {
211             // The main handler runs for each Rayon worker thread and sets up
212             // the thread local rustc uses. `session_globals` is captured and set
213             // on the new threads.
214             let main_handler = move |thread: rayon::ThreadBuilder| {
215                 rustc_span::set_session_globals_then(session_globals, || {
216                     io::set_output_capture(stderr.clone());
217                     thread.run()
218                 })
219             };
220
221             config.build_scoped(main_handler, with_pool).unwrap()
222         })
223     })
224 }
225
226 fn load_backend_from_dylib(path: &Path) -> fn() -> Box<dyn CodegenBackend> {
227     let lib = DynamicLibrary::open(path).unwrap_or_else(|err| {
228         let err = format!("couldn't load codegen backend {:?}: {:?}", path, err);
229         early_error(ErrorOutputType::default(), &err);
230     });
231     unsafe {
232         match lib.symbol("__rustc_codegen_backend") {
233             Ok(f) => {
234                 mem::forget(lib);
235                 mem::transmute::<*mut u8, _>(f)
236             }
237             Err(e) => {
238                 let err = format!(
239                     "couldn't load codegen backend as it \
240                                    doesn't export the `__rustc_codegen_backend` \
241                                    symbol: {:?}",
242                     e
243                 );
244                 early_error(ErrorOutputType::default(), &err);
245             }
246         }
247     }
248 }
249
250 /// Get the codegen backend based on the name and specified sysroot.
251 ///
252 /// A name of `None` indicates that the default backend should be used.
253 pub fn get_codegen_backend(
254     maybe_sysroot: &Option<PathBuf>,
255     backend_name: Option<&str>,
256 ) -> Box<dyn CodegenBackend> {
257     static LOAD: SyncOnceCell<unsafe fn() -> Box<dyn CodegenBackend>> = SyncOnceCell::new();
258
259     let load = LOAD.get_or_init(|| {
260         #[cfg(feature = "llvm")]
261         const DEFAULT_CODEGEN_BACKEND: &str = "llvm";
262
263         #[cfg(not(feature = "llvm"))]
264         const DEFAULT_CODEGEN_BACKEND: &str = "cranelift";
265
266         match backend_name.unwrap_or(DEFAULT_CODEGEN_BACKEND) {
267             filename if filename.contains('.') => load_backend_from_dylib(filename.as_ref()),
268             #[cfg(feature = "llvm")]
269             "llvm" => rustc_codegen_llvm::LlvmCodegenBackend::new,
270             backend_name => get_codegen_sysroot(maybe_sysroot, backend_name),
271         }
272     });
273
274     // SAFETY: In case of a builtin codegen backend this is safe. In case of an external codegen
275     // backend we hope that the backend links against the same rustc_driver version. If this is not
276     // the case, we get UB.
277     unsafe { load() }
278 }
279
280 // This is used for rustdoc, but it uses similar machinery to codegen backend
281 // loading, so we leave the code here. It is potentially useful for other tools
282 // that want to invoke the rustc binary while linking to rustc as well.
283 pub fn rustc_path<'a>() -> Option<&'a Path> {
284     static RUSTC_PATH: SyncOnceCell<Option<PathBuf>> = SyncOnceCell::new();
285
286     const BIN_PATH: &str = env!("RUSTC_INSTALL_BINDIR");
287
288     RUSTC_PATH.get_or_init(|| get_rustc_path_inner(BIN_PATH)).as_ref().map(|v| &**v)
289 }
290
291 fn get_rustc_path_inner(bin_path: &str) -> Option<PathBuf> {
292     sysroot_candidates().iter().find_map(|sysroot| {
293         let candidate = sysroot.join(bin_path).join(if cfg!(target_os = "windows") {
294             "rustc.exe"
295         } else {
296             "rustc"
297         });
298         candidate.exists().then_some(candidate)
299     })
300 }
301
302 fn sysroot_candidates() -> Vec<PathBuf> {
303     let target = session::config::host_triple();
304     let mut sysroot_candidates = vec![filesearch::get_or_default_sysroot()];
305     let path = current_dll_path().and_then(|s| s.canonicalize().ok());
306     if let Some(dll) = path {
307         // use `parent` twice to chop off the file name and then also the
308         // directory containing the dll which should be either `lib` or `bin`.
309         if let Some(path) = dll.parent().and_then(|p| p.parent()) {
310             // The original `path` pointed at the `rustc_driver` crate's dll.
311             // Now that dll should only be in one of two locations. The first is
312             // in the compiler's libdir, for example `$sysroot/lib/*.dll`. The
313             // other is the target's libdir, for example
314             // `$sysroot/lib/rustlib/$target/lib/*.dll`.
315             //
316             // We don't know which, so let's assume that if our `path` above
317             // ends in `$target` we *could* be in the target libdir, and always
318             // assume that we may be in the main libdir.
319             sysroot_candidates.push(path.to_owned());
320
321             if path.ends_with(target) {
322                 sysroot_candidates.extend(
323                     path.parent() // chop off `$target`
324                         .and_then(|p| p.parent()) // chop off `rustlib`
325                         .and_then(|p| p.parent()) // chop off `lib`
326                         .map(|s| s.to_owned()),
327                 );
328             }
329         }
330     }
331
332     return sysroot_candidates;
333
334     #[cfg(unix)]
335     fn current_dll_path() -> Option<PathBuf> {
336         use std::ffi::{CStr, OsStr};
337         use std::os::unix::prelude::*;
338
339         unsafe {
340             let addr = current_dll_path as usize as *mut _;
341             let mut info = mem::zeroed();
342             if libc::dladdr(addr, &mut info) == 0 {
343                 info!("dladdr failed");
344                 return None;
345             }
346             if info.dli_fname.is_null() {
347                 info!("dladdr returned null pointer");
348                 return None;
349             }
350             let bytes = CStr::from_ptr(info.dli_fname).to_bytes();
351             let os = OsStr::from_bytes(bytes);
352             Some(PathBuf::from(os))
353         }
354     }
355
356     #[cfg(windows)]
357     fn current_dll_path() -> Option<PathBuf> {
358         use std::ffi::OsString;
359         use std::os::windows::prelude::*;
360         use std::ptr;
361
362         use winapi::um::libloaderapi::{
363             GetModuleFileNameW, GetModuleHandleExW, GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS,
364         };
365
366         unsafe {
367             let mut module = ptr::null_mut();
368             let r = GetModuleHandleExW(
369                 GET_MODULE_HANDLE_EX_FLAG_FROM_ADDRESS,
370                 current_dll_path as usize as *mut _,
371                 &mut module,
372             );
373             if r == 0 {
374                 info!("GetModuleHandleExW failed: {}", io::Error::last_os_error());
375                 return None;
376             }
377             let mut space = Vec::with_capacity(1024);
378             let r = GetModuleFileNameW(module, space.as_mut_ptr(), space.capacity() as u32);
379             if r == 0 {
380                 info!("GetModuleFileNameW failed: {}", io::Error::last_os_error());
381                 return None;
382             }
383             let r = r as usize;
384             if r >= space.capacity() {
385                 info!("our buffer was too small? {}", io::Error::last_os_error());
386                 return None;
387             }
388             space.set_len(r);
389             let os = OsString::from_wide(&space);
390             Some(PathBuf::from(os))
391         }
392     }
393 }
394
395 pub fn get_codegen_sysroot(
396     maybe_sysroot: &Option<PathBuf>,
397     backend_name: &str,
398 ) -> fn() -> Box<dyn CodegenBackend> {
399     // For now we only allow this function to be called once as it'll dlopen a
400     // few things, which seems to work best if we only do that once. In
401     // general this assertion never trips due to the once guard in `get_codegen_backend`,
402     // but there's a few manual calls to this function in this file we protect
403     // against.
404     static LOADED: AtomicBool = AtomicBool::new(false);
405     assert!(
406         !LOADED.fetch_or(true, Ordering::SeqCst),
407         "cannot load the default codegen backend twice"
408     );
409
410     let target = session::config::host_triple();
411     let sysroot_candidates = sysroot_candidates();
412
413     let sysroot = maybe_sysroot
414         .iter()
415         .chain(sysroot_candidates.iter())
416         .map(|sysroot| {
417             filesearch::make_target_lib_path(&sysroot, &target).with_file_name("codegen-backends")
418         })
419         .find(|f| {
420             info!("codegen backend candidate: {}", f.display());
421             f.exists()
422         });
423     let sysroot = sysroot.unwrap_or_else(|| {
424         let candidates = sysroot_candidates
425             .iter()
426             .map(|p| p.display().to_string())
427             .collect::<Vec<_>>()
428             .join("\n* ");
429         let err = format!(
430             "failed to find a `codegen-backends` folder \
431                            in the sysroot candidates:\n* {}",
432             candidates
433         );
434         early_error(ErrorOutputType::default(), &err);
435     });
436     info!("probing {} for a codegen backend", sysroot.display());
437
438     let d = sysroot.read_dir().unwrap_or_else(|e| {
439         let err = format!(
440             "failed to load default codegen backend, couldn't \
441                            read `{}`: {}",
442             sysroot.display(),
443             e
444         );
445         early_error(ErrorOutputType::default(), &err);
446     });
447
448     let mut file: Option<PathBuf> = None;
449
450     let expected_names = &[
451         format!("rustc_codegen_{}-{}", backend_name, release_str().expect("CFG_RELEASE")),
452         format!("rustc_codegen_{}", backend_name),
453     ];
454     for entry in d.filter_map(|e| e.ok()) {
455         let path = entry.path();
456         let filename = match path.file_name().and_then(|s| s.to_str()) {
457             Some(s) => s,
458             None => continue,
459         };
460         if !(filename.starts_with(DLL_PREFIX) && filename.ends_with(DLL_SUFFIX)) {
461             continue;
462         }
463         let name = &filename[DLL_PREFIX.len()..filename.len() - DLL_SUFFIX.len()];
464         if !expected_names.iter().any(|expected| expected == name) {
465             continue;
466         }
467         if let Some(ref prev) = file {
468             let err = format!(
469                 "duplicate codegen backends found\n\
470                                first:  {}\n\
471                                second: {}\n\
472             ",
473                 prev.display(),
474                 path.display()
475             );
476             early_error(ErrorOutputType::default(), &err);
477         }
478         file = Some(path.clone());
479     }
480
481     match file {
482         Some(ref s) => load_backend_from_dylib(s),
483         None => {
484             let err = format!("unsupported builtin codegen backend `{}`", backend_name);
485             early_error(ErrorOutputType::default(), &err);
486         }
487     }
488 }
489
490 pub(crate) fn check_attr_crate_type(
491     _sess: &Session,
492     attrs: &[ast::Attribute],
493     lint_buffer: &mut LintBuffer,
494 ) {
495     // Unconditionally collect crate types from attributes to make them used
496     for a in attrs.iter() {
497         if a.has_name(sym::crate_type) {
498             if let Some(n) = a.value_str() {
499                 if categorize_crate_type(n).is_some() {
500                     return;
501                 }
502
503                 if let ast::MetaItemKind::NameValue(spanned) = a.meta().unwrap().kind {
504                     let span = spanned.span;
505                     let lev_candidate = find_best_match_for_name(
506                         &CRATE_TYPES.iter().map(|(k, _)| *k).collect::<Vec<_>>(),
507                         n,
508                         None,
509                     );
510                     if let Some(candidate) = lev_candidate {
511                         lint_buffer.buffer_lint_with_diagnostic(
512                             lint::builtin::UNKNOWN_CRATE_TYPES,
513                             ast::CRATE_NODE_ID,
514                             span,
515                             "invalid `crate_type` value",
516                             BuiltinLintDiagnostics::UnknownCrateTypes(
517                                 span,
518                                 "did you mean".to_string(),
519                                 format!("\"{}\"", candidate),
520                             ),
521                         );
522                     } else {
523                         lint_buffer.buffer_lint(
524                             lint::builtin::UNKNOWN_CRATE_TYPES,
525                             ast::CRATE_NODE_ID,
526                             span,
527                             "invalid `crate_type` value",
528                         );
529                     }
530                 }
531             }
532         }
533     }
534 }
535
536 const CRATE_TYPES: &[(Symbol, CrateType)] = &[
537     (sym::rlib, CrateType::Rlib),
538     (sym::dylib, CrateType::Dylib),
539     (sym::cdylib, CrateType::Cdylib),
540     (sym::lib, config::default_lib_output()),
541     (sym::staticlib, CrateType::Staticlib),
542     (sym::proc_dash_macro, CrateType::ProcMacro),
543     (sym::bin, CrateType::Executable),
544 ];
545
546 fn categorize_crate_type(s: Symbol) -> Option<CrateType> {
547     Some(CRATE_TYPES.iter().find(|(key, _)| *key == s)?.1)
548 }
549
550 pub fn collect_crate_types(session: &Session, attrs: &[ast::Attribute]) -> Vec<CrateType> {
551     // Unconditionally collect crate types from attributes to make them used
552     let attr_types: Vec<CrateType> = attrs
553         .iter()
554         .filter_map(|a| {
555             if a.has_name(sym::crate_type) {
556                 match a.value_str() {
557                     Some(s) => categorize_crate_type(s),
558                     _ => None,
559                 }
560             } else {
561                 None
562             }
563         })
564         .collect();
565
566     // If we're generating a test executable, then ignore all other output
567     // styles at all other locations
568     if session.opts.test {
569         return vec![CrateType::Executable];
570     }
571
572     // Only check command line flags if present. If no types are specified by
573     // command line, then reuse the empty `base` Vec to hold the types that
574     // will be found in crate attributes.
575     let mut base = session.opts.crate_types.clone();
576     if base.is_empty() {
577         base.extend(attr_types);
578         if base.is_empty() {
579             base.push(output::default_output_for_target(session));
580         } else {
581             base.sort();
582             base.dedup();
583         }
584     }
585
586     base.retain(|crate_type| {
587         let res = !output::invalid_output_for_target(session, *crate_type);
588
589         if !res {
590             session.warn(&format!(
591                 "dropping unsupported crate type `{}` for target `{}`",
592                 *crate_type, session.opts.target_triple
593             ));
594         }
595
596         res
597     });
598
599     base
600 }
601
602 pub fn build_output_filenames(
603     input: &Input,
604     odir: &Option<PathBuf>,
605     ofile: &Option<PathBuf>,
606     attrs: &[ast::Attribute],
607     sess: &Session,
608 ) -> OutputFilenames {
609     match *ofile {
610         None => {
611             // "-" as input file will cause the parser to read from stdin so we
612             // have to make up a name
613             // We want to toss everything after the final '.'
614             let dirpath = (*odir).as_ref().cloned().unwrap_or_default();
615
616             // If a crate name is present, we use it as the link name
617             let stem = sess
618                 .opts
619                 .crate_name
620                 .clone()
621                 .or_else(|| rustc_attr::find_crate_name(&sess, attrs).map(|n| n.to_string()))
622                 .unwrap_or_else(|| input.filestem().to_owned());
623
624             OutputFilenames::new(
625                 dirpath,
626                 stem,
627                 None,
628                 sess.opts.cg.extra_filename.clone(),
629                 sess.opts.output_types.clone(),
630             )
631         }
632
633         Some(ref out_file) => {
634             let unnamed_output_types =
635                 sess.opts.output_types.values().filter(|a| a.is_none()).count();
636             let ofile = if unnamed_output_types > 1 {
637                 sess.warn(
638                     "due to multiple output types requested, the explicitly specified \
639                      output file name will be adapted for each output type",
640                 );
641                 None
642             } else {
643                 if !sess.opts.cg.extra_filename.is_empty() {
644                     sess.warn("ignoring -C extra-filename flag due to -o flag");
645                 }
646                 Some(out_file.clone())
647             };
648             if *odir != None {
649                 sess.warn("ignoring --out-dir flag due to -o flag");
650             }
651
652             OutputFilenames::new(
653                 out_file.parent().unwrap_or_else(|| Path::new("")).to_path_buf(),
654                 out_file.file_stem().unwrap_or_default().to_str().unwrap().to_string(),
655                 ofile,
656                 sess.opts.cg.extra_filename.clone(),
657                 sess.opts.output_types.clone(),
658             )
659         }
660     }
661 }
662
663 #[cfg(not(target_os = "linux"))]
664 pub fn non_durable_rename(src: &Path, dst: &Path) -> std::io::Result<()> {
665     std::fs::rename(src, dst)
666 }
667
668 /// This function attempts to bypass the auto_da_alloc heuristic implemented by some filesystems
669 /// such as btrfs and ext4. When renaming over a file that already exists then they will "helpfully"
670 /// write back the source file before committing the rename in case a developer forgot some of
671 /// the fsyncs in the open/write/fsync(file)/rename/fsync(dir) dance for atomic file updates.
672 ///
673 /// To avoid triggering this heuristic we delete the destination first, if it exists.
674 /// The cost of an extra syscall is much lower than getting descheduled for the sync IO.
675 #[cfg(target_os = "linux")]
676 pub fn non_durable_rename(src: &Path, dst: &Path) -> std::io::Result<()> {
677     let _ = std::fs::remove_file(dst);
678     std::fs::rename(src, dst)
679 }
680
681 /// Replaces function bodies with `loop {}` (an infinite loop). This gets rid of
682 /// all semantic errors in the body while still satisfying the return type,
683 /// except in certain cases, see below for more.
684 ///
685 /// This pass is known as `everybody_loops`. Very punny.
686 ///
687 /// As of March 2021, `everybody_loops` is only used for the
688 /// `-Z unpretty=everybody_loops` debugging option.
689 ///
690 /// FIXME: Currently the `everybody_loops` transformation is not applied to:
691 ///  * `const fn`; support could be added, but hasn't. Originally `const fn`
692 ///    was skipped due to issue #43636 that `loop` was not supported for
693 ///    const evaluation.
694 ///  * `impl Trait`, due to issue #43869 that functions returning impl Trait cannot be diverging.
695 ///    Solving this may require `!` to implement every trait, which relies on the an even more
696 ///    ambitious form of the closed RFC #1637. See also [#34511].
697 ///
698 /// [#34511]: https://github.com/rust-lang/rust/issues/34511#issuecomment-322340401
699 pub struct ReplaceBodyWithLoop<'a, 'b> {
700     within_static_or_const: bool,
701     nested_blocks: Option<Vec<ast::Block>>,
702     resolver: &'a mut Resolver<'b>,
703 }
704
705 impl<'a, 'b> ReplaceBodyWithLoop<'a, 'b> {
706     pub fn new(resolver: &'a mut Resolver<'b>) -> ReplaceBodyWithLoop<'a, 'b> {
707         ReplaceBodyWithLoop { within_static_or_const: false, nested_blocks: None, resolver }
708     }
709
710     fn run<R, F: FnOnce(&mut Self) -> R>(&mut self, is_const: bool, action: F) -> R {
711         let old_const = mem::replace(&mut self.within_static_or_const, is_const);
712         let old_blocks = self.nested_blocks.take();
713         let ret = action(self);
714         self.within_static_or_const = old_const;
715         self.nested_blocks = old_blocks;
716         ret
717     }
718
719     fn should_ignore_fn(ret_ty: &ast::FnRetTy) -> bool {
720         if let ast::FnRetTy::Ty(ref ty) = ret_ty {
721             fn involves_impl_trait(ty: &ast::Ty) -> bool {
722                 match ty.kind {
723                     ast::TyKind::ImplTrait(..) => true,
724                     ast::TyKind::Slice(ref subty)
725                     | ast::TyKind::Array(ref subty, _)
726                     | ast::TyKind::Ptr(ast::MutTy { ty: ref subty, .. })
727                     | ast::TyKind::Rptr(_, ast::MutTy { ty: ref subty, .. })
728                     | ast::TyKind::Paren(ref subty) => involves_impl_trait(subty),
729                     ast::TyKind::Tup(ref tys) => any_involves_impl_trait(tys.iter()),
730                     ast::TyKind::Path(_, ref path) => {
731                         path.segments.iter().any(|seg| match seg.args.as_deref() {
732                             None => false,
733                             Some(&ast::GenericArgs::AngleBracketed(ref data)) => {
734                                 data.args.iter().any(|arg| match arg {
735                                     ast::AngleBracketedArg::Arg(arg) => match arg {
736                                         ast::GenericArg::Type(ty) => involves_impl_trait(ty),
737                                         ast::GenericArg::Lifetime(_)
738                                         | ast::GenericArg::Const(_) => false,
739                                     },
740                                     ast::AngleBracketedArg::Constraint(c) => match c.kind {
741                                         ast::AssocTyConstraintKind::Bound { .. } => true,
742                                         ast::AssocTyConstraintKind::Equality { ref ty } => {
743                                             involves_impl_trait(ty)
744                                         }
745                                     },
746                                 })
747                             }
748                             Some(&ast::GenericArgs::Parenthesized(ref data)) => {
749                                 any_involves_impl_trait(data.inputs.iter())
750                                     || ReplaceBodyWithLoop::should_ignore_fn(&data.output)
751                             }
752                         })
753                     }
754                     _ => false,
755                 }
756             }
757
758             fn any_involves_impl_trait<'a, I: Iterator<Item = &'a P<ast::Ty>>>(mut it: I) -> bool {
759                 it.any(|subty| involves_impl_trait(subty))
760             }
761
762             involves_impl_trait(ty)
763         } else {
764             false
765         }
766     }
767
768     fn is_sig_const(sig: &ast::FnSig) -> bool {
769         matches!(sig.header.constness, ast::Const::Yes(_))
770             || ReplaceBodyWithLoop::should_ignore_fn(&sig.decl.output)
771     }
772 }
773
774 impl<'a> MutVisitor for ReplaceBodyWithLoop<'a, '_> {
775     fn visit_item_kind(&mut self, i: &mut ast::ItemKind) {
776         let is_const = match i {
777             ast::ItemKind::Static(..) | ast::ItemKind::Const(..) => true,
778             ast::ItemKind::Fn(box ast::FnKind(_, ref sig, _, _)) => Self::is_sig_const(sig),
779             _ => false,
780         };
781         self.run(is_const, |s| noop_visit_item_kind(i, s))
782     }
783
784     fn flat_map_trait_item(&mut self, i: P<ast::AssocItem>) -> SmallVec<[P<ast::AssocItem>; 1]> {
785         let is_const = match i.kind {
786             ast::AssocItemKind::Const(..) => true,
787             ast::AssocItemKind::Fn(box ast::FnKind(_, ref sig, _, _)) => Self::is_sig_const(sig),
788             _ => false,
789         };
790         self.run(is_const, |s| noop_flat_map_assoc_item(i, s))
791     }
792
793     fn flat_map_impl_item(&mut self, i: P<ast::AssocItem>) -> SmallVec<[P<ast::AssocItem>; 1]> {
794         self.flat_map_trait_item(i)
795     }
796
797     fn visit_anon_const(&mut self, c: &mut ast::AnonConst) {
798         self.run(true, |s| noop_visit_anon_const(c, s))
799     }
800
801     fn visit_block(&mut self, b: &mut P<ast::Block>) {
802         fn stmt_to_block(
803             rules: ast::BlockCheckMode,
804             s: Option<ast::Stmt>,
805             resolver: &mut Resolver<'_>,
806         ) -> ast::Block {
807             ast::Block {
808                 stmts: s.into_iter().collect(),
809                 rules,
810                 id: resolver.next_node_id(),
811                 span: rustc_span::DUMMY_SP,
812                 tokens: None,
813                 could_be_bare_literal: false,
814             }
815         }
816
817         fn block_to_stmt(b: ast::Block, resolver: &mut Resolver<'_>) -> ast::Stmt {
818             let expr = P(ast::Expr {
819                 id: resolver.next_node_id(),
820                 kind: ast::ExprKind::Block(P(b), None),
821                 span: rustc_span::DUMMY_SP,
822                 attrs: AttrVec::new(),
823                 tokens: None,
824             });
825
826             ast::Stmt {
827                 id: resolver.next_node_id(),
828                 kind: ast::StmtKind::Expr(expr),
829                 span: rustc_span::DUMMY_SP,
830             }
831         }
832
833         let empty_block = stmt_to_block(BlockCheckMode::Default, None, self.resolver);
834         let loop_expr = P(ast::Expr {
835             kind: ast::ExprKind::Loop(P(empty_block), None),
836             id: self.resolver.next_node_id(),
837             span: rustc_span::DUMMY_SP,
838             attrs: AttrVec::new(),
839             tokens: None,
840         });
841
842         let loop_stmt = ast::Stmt {
843             id: self.resolver.next_node_id(),
844             span: rustc_span::DUMMY_SP,
845             kind: ast::StmtKind::Expr(loop_expr),
846         };
847
848         if self.within_static_or_const {
849             noop_visit_block(b, self)
850         } else {
851             visit_clobber(b.deref_mut(), |b| {
852                 let mut stmts = vec![];
853                 for s in b.stmts {
854                     let old_blocks = self.nested_blocks.replace(vec![]);
855
856                     stmts.extend(self.flat_map_stmt(s).into_iter().filter(|s| s.is_item()));
857
858                     // we put a Some in there earlier with that replace(), so this is valid
859                     let new_blocks = self.nested_blocks.take().unwrap();
860                     self.nested_blocks = old_blocks;
861                     stmts.extend(new_blocks.into_iter().map(|b| block_to_stmt(b, self.resolver)));
862                 }
863
864                 let mut new_block = ast::Block { stmts, ..b };
865
866                 if let Some(old_blocks) = self.nested_blocks.as_mut() {
867                     //push our fresh block onto the cache and yield an empty block with `loop {}`
868                     if !new_block.stmts.is_empty() {
869                         old_blocks.push(new_block);
870                     }
871
872                     stmt_to_block(b.rules, Some(loop_stmt), &mut self.resolver)
873                 } else {
874                     //push `loop {}` onto the end of our fresh block and yield that
875                     new_block.stmts.push(loop_stmt);
876
877                     new_block
878                 }
879             })
880         }
881     }
882 }
883
884 /// Returns a version string such as "1.46.0 (04488afe3 2020-08-24)"
885 pub fn version_str() -> Option<&'static str> {
886     option_env!("CFG_VERSION")
887 }
888
889 /// Returns a version string such as "0.12.0-dev".
890 pub fn release_str() -> Option<&'static str> {
891     option_env!("CFG_RELEASE")
892 }
893
894 /// Returns the full SHA1 hash of HEAD of the Git repo from which rustc was built.
895 pub fn commit_hash_str() -> Option<&'static str> {
896     option_env!("CFG_VER_HASH")
897 }
898
899 /// Returns the "commit date" of HEAD of the Git repo from which rustc was built as a static string.
900 pub fn commit_date_str() -> Option<&'static str> {
901     option_env!("CFG_VER_DATE")
902 }