]> git.lizzy.rs Git - rust.git/blob - src/librustc_interface/passes.rs
Rollup merge of #63055 - Mark-Simulacrum:save-analysis-clean-2, r=Xanewok
[rust.git] / src / librustc_interface / passes.rs
1 use crate::interface::{Compiler, Result};
2 use crate::util;
3 use crate::proc_macro_decls;
4
5 use log::{info, warn, log_enabled};
6 use rustc::dep_graph::DepGraph;
7 use rustc::hir;
8 use rustc::hir::lowering::lower_crate;
9 use rustc::hir::def_id::{CrateNum, LOCAL_CRATE};
10 use rustc::lint;
11 use rustc::middle::{self, reachable, resolve_lifetime, stability};
12 use rustc::middle::cstore::CrateStore;
13 use rustc::ty::{self, AllArenas, Resolutions, TyCtxt, GlobalCtxt};
14 use rustc::ty::steal::Steal;
15 use rustc::traits;
16 use rustc::util::common::{time, ErrorReported};
17 use rustc::session::Session;
18 use rustc::session::config::{self, CrateType, Input, OutputFilenames, OutputType};
19 use rustc::session::search_paths::PathKind;
20 use rustc_ast_borrowck as borrowck;
21 use rustc_codegen_ssa::back::link::emit_metadata;
22 use rustc_codegen_utils::codegen_backend::CodegenBackend;
23 use rustc_codegen_utils::link::filename_for_metadata;
24 use rustc_data_structures::{box_region_allow_access, declare_box_region_type, parallel};
25 use rustc_data_structures::sync::{Lrc, ParallelIterator, par_iter};
26 use rustc_incremental;
27 use rustc_metadata::creader::CrateLoader;
28 use rustc_metadata::cstore::{self, CStore};
29 use rustc_mir as mir;
30 use rustc_passes::{self, ast_validation, hir_stats, layout_test};
31 use rustc_plugin as plugin;
32 use rustc_plugin::registry::Registry;
33 use rustc_privacy;
34 use rustc_resolve::{Resolver, ResolverArenas};
35 use rustc_traits;
36 use rustc_typeck as typeck;
37 use syntax::{self, ast, diagnostics, visit};
38 use syntax::early_buffered_lints::BufferedEarlyLint;
39 use syntax::ext::base::{NamedSyntaxExtension, ExtCtxt};
40 use syntax::mut_visit::MutVisitor;
41 use syntax::parse::{self, PResult};
42 use syntax::util::node_count::NodeCounter;
43 use syntax::symbol::Symbol;
44 use syntax::feature_gate::AttributeType;
45 use syntax_pos::FileName;
46 use syntax_ext;
47
48 use rustc_serialize::json;
49 use tempfile::Builder as TempFileBuilder;
50
51 use std::any::Any;
52 use std::env;
53 use std::ffi::OsString;
54 use std::fs;
55 use std::io::{self, Write};
56 use std::iter;
57 use std::path::PathBuf;
58 use std::sync::mpsc;
59 use std::cell::RefCell;
60 use std::rc::Rc;
61 use std::mem;
62
63 pub fn parse<'a>(sess: &'a Session, input: &Input) -> PResult<'a, ast::Crate> {
64     sess.diagnostic()
65         .set_continue_after_error(sess.opts.debugging_opts.continue_parse_after_error);
66     sess.profiler(|p| p.start_activity("parsing"));
67     let krate = time(sess, "parsing", || match *input {
68         Input::File(ref file) => parse::parse_crate_from_file(file, &sess.parse_sess),
69         Input::Str {
70             ref input,
71             ref name,
72         } => parse::parse_crate_from_source_str(name.clone(), input.clone(), &sess.parse_sess),
73     })?;
74     sess.profiler(|p| p.end_activity("parsing"));
75
76     sess.diagnostic().set_continue_after_error(true);
77
78     if sess.opts.debugging_opts.ast_json_noexpand {
79         println!("{}", json::as_json(&krate));
80     }
81
82     if sess.opts.debugging_opts.input_stats {
83         println!(
84             "Lines of code:             {}",
85             sess.source_map().count_lines()
86         );
87         println!("Pre-expansion node count:  {}", count_nodes(&krate));
88     }
89
90     if let Some(ref s) = sess.opts.debugging_opts.show_span {
91         syntax::show_span::run(sess.diagnostic(), s, &krate);
92     }
93
94     if sess.opts.debugging_opts.hir_stats {
95         hir_stats::print_ast_stats(&krate, "PRE EXPANSION AST STATS");
96     }
97
98     Ok(krate)
99 }
100
101 fn count_nodes(krate: &ast::Crate) -> usize {
102     let mut counter = NodeCounter::new();
103     visit::walk_crate(&mut counter, krate);
104     counter.count
105 }
106
107 declare_box_region_type!(
108     pub BoxedResolver,
109     for(),
110     (&mut Resolver<'_>) -> (Result<ast::Crate>, ExpansionResult)
111 );
112
113 /// Runs the "early phases" of the compiler: initial `cfg` processing,
114 /// loading compiler plugins (including those from `addl_plugins`),
115 /// syntax expansion, secondary `cfg` expansion, synthesis of a test
116 /// harness if one is to be provided, injection of a dependency on the
117 /// standard library and prelude, and name resolution.
118 ///
119 /// Returns `None` if we're aborting after handling -W help.
120 pub fn configure_and_expand(
121     sess: Lrc<Session>,
122     cstore: Lrc<CStore>,
123     krate: ast::Crate,
124     crate_name: &str,
125     plugin_info: PluginInfo,
126 ) -> Result<(ast::Crate, BoxedResolver)> {
127     // Currently, we ignore the name resolution data structures for the purposes of dependency
128     // tracking. Instead we will run name resolution and include its output in the hash of each
129     // item, much like we do for macro expansion. In other words, the hash reflects not just
130     // its contents but the results of name resolution on those contents. Hopefully we'll push
131     // this back at some point.
132     let crate_name = crate_name.to_string();
133     let (result, resolver) = BoxedResolver::new(static move || {
134         let sess = &*sess;
135         let mut crate_loader = CrateLoader::new(sess, &*cstore, &crate_name);
136         let resolver_arenas = Resolver::arenas();
137         let res = configure_and_expand_inner(
138             sess,
139             &*cstore,
140             krate,
141             &crate_name,
142             &resolver_arenas,
143             &mut crate_loader,
144             plugin_info,
145         );
146         let mut resolver = match res {
147             Err(v) => {
148                 yield BoxedResolver::initial_yield(Err(v));
149                 panic!()
150             }
151             Ok((krate, resolver)) => {
152                 yield BoxedResolver::initial_yield(Ok(krate));
153                 resolver
154             }
155         };
156         box_region_allow_access!(for(), (&mut Resolver<'_>), (&mut resolver));
157         ExpansionResult::from_owned_resolver(resolver)
158     });
159     result.map(|k| (k, resolver))
160 }
161
162 pub struct ExpansionResult {
163     pub defs: Steal<hir::map::Definitions>,
164     pub resolutions: Steal<Resolutions>,
165 }
166
167 impl ExpansionResult {
168     fn from_owned_resolver(
169         resolver: Resolver<'_>,
170     ) -> Self {
171         ExpansionResult {
172             defs: Steal::new(resolver.definitions),
173             resolutions: Steal::new(Resolutions {
174                 export_map: resolver.export_map,
175                 trait_map: resolver.trait_map,
176                 glob_map: resolver.glob_map,
177                 maybe_unused_trait_imports: resolver.maybe_unused_trait_imports,
178                 maybe_unused_extern_crates: resolver.maybe_unused_extern_crates,
179                 extern_prelude: resolver.extern_prelude.iter().map(|(ident, entry)| {
180                     (ident.name, entry.introduced_by_item)
181                 }).collect(),
182             }),
183         }
184     }
185
186     pub fn from_resolver_ref(
187         resolver: &Resolver<'_>,
188     ) -> Self {
189         ExpansionResult {
190             defs: Steal::new(resolver.definitions.clone()),
191             resolutions: Steal::new(Resolutions {
192                 export_map: resolver.export_map.clone(),
193                 trait_map: resolver.trait_map.clone(),
194                 glob_map: resolver.glob_map.clone(),
195                 maybe_unused_trait_imports: resolver.maybe_unused_trait_imports.clone(),
196                 maybe_unused_extern_crates: resolver.maybe_unused_extern_crates.clone(),
197                 extern_prelude: resolver.extern_prelude.iter().map(|(ident, entry)| {
198                     (ident.name, entry.introduced_by_item)
199                 }).collect(),
200             }),
201         }
202     }
203 }
204
205 impl BoxedResolver {
206     pub fn to_expansion_result(
207         mut resolver: Rc<Option<RefCell<BoxedResolver>>>,
208     ) -> ExpansionResult {
209         if let Some(resolver) = Rc::get_mut(&mut resolver) {
210             mem::replace(resolver, None).unwrap().into_inner().complete()
211         } else {
212             let resolver = &*resolver;
213             resolver.as_ref().unwrap().borrow_mut().access(|resolver| {
214                 ExpansionResult::from_resolver_ref(resolver)
215             })
216         }
217     }
218 }
219
220 pub struct PluginInfo {
221     syntax_exts: Vec<NamedSyntaxExtension>,
222     attributes: Vec<(Symbol, AttributeType)>,
223 }
224
225 pub fn register_plugins<'a>(
226     compiler: &Compiler,
227     sess: &'a Session,
228     cstore: &'a CStore,
229     mut krate: ast::Crate,
230     crate_name: &str,
231 ) -> Result<(ast::Crate, PluginInfo)> {
232     krate = time(sess, "attributes injection", || {
233         syntax::attr::inject(krate, &sess.parse_sess, &sess.opts.debugging_opts.crate_attr)
234     });
235
236     let (mut krate, features) = syntax::config::features(
237         krate,
238         &sess.parse_sess,
239         sess.edition(),
240         &sess.opts.debugging_opts.allow_features,
241     );
242     // these need to be set "early" so that expansion sees `quote` if enabled.
243     sess.init_features(features);
244
245     let crate_types = util::collect_crate_types(sess, &krate.attrs);
246     sess.crate_types.set(crate_types);
247
248     let disambiguator = util::compute_crate_disambiguator(sess);
249     sess.crate_disambiguator.set(disambiguator);
250     rustc_incremental::prepare_session_directory(sess, &crate_name, disambiguator);
251
252     if sess.opts.incremental.is_some() {
253         time(sess, "garbage collect incremental cache directory", || {
254             if let Err(e) = rustc_incremental::garbage_collect_session_directories(sess) {
255                 warn!(
256                     "Error while trying to garbage collect incremental \
257                      compilation cache directory: {}",
258                     e
259                 );
260             }
261         });
262     }
263
264     // If necessary, compute the dependency graph (in the background).
265     compiler.dep_graph_future().ok();
266
267     time(sess, "recursion limit", || {
268         middle::recursion_limit::update_limits(sess, &krate);
269     });
270
271     krate = time(sess, "crate injection", || {
272         let alt_std_name = sess.opts.alt_std_name.as_ref().map(|s| &**s);
273         let (krate, name) =
274             syntax_ext::standard_library_imports::inject(krate, alt_std_name, sess.edition());
275         if let Some(name) = name {
276             sess.parse_sess.injected_crate_name.set(name);
277         }
278         krate
279     });
280
281     let registrars = time(sess, "plugin loading", || {
282         plugin::load::load_plugins(
283             sess,
284             &cstore,
285             &krate,
286             crate_name,
287             Some(sess.opts.debugging_opts.extra_plugins.clone()),
288         )
289     });
290
291     let mut registry = Registry::new(sess, krate.span);
292
293     time(sess, "plugin registration", || {
294         if sess.features_untracked().rustc_diagnostic_macros {
295             registry.register_macro(
296                 "__diagnostic_used",
297                 diagnostics::plugin::expand_diagnostic_used,
298             );
299             registry.register_macro(
300                 "__register_diagnostic",
301                 diagnostics::plugin::expand_register_diagnostic,
302             );
303             registry.register_macro(
304                 "__build_diagnostic_array",
305                 diagnostics::plugin::expand_build_diagnostic_array,
306             );
307         }
308
309         for registrar in registrars {
310             registry.args_hidden = Some(registrar.args);
311             (registrar.fun)(&mut registry);
312         }
313     });
314
315     let Registry {
316         syntax_exts,
317         early_lint_passes,
318         late_lint_passes,
319         lint_groups,
320         llvm_passes,
321         attributes,
322         ..
323     } = registry;
324
325     let mut ls = sess.lint_store.borrow_mut();
326     for pass in early_lint_passes {
327         ls.register_early_pass(Some(sess), true, false, pass);
328     }
329     for pass in late_lint_passes {
330         ls.register_late_pass(Some(sess), true, false, false, pass);
331     }
332
333     for (name, (to, deprecated_name)) in lint_groups {
334         ls.register_group(Some(sess), true, name, deprecated_name, to);
335     }
336
337     *sess.plugin_llvm_passes.borrow_mut() = llvm_passes;
338     *sess.plugin_attributes.borrow_mut() = attributes.clone();
339
340     Ok((krate, PluginInfo {
341         syntax_exts,
342         attributes,
343     }))
344 }
345
346 fn configure_and_expand_inner<'a>(
347     sess: &'a Session,
348     cstore: &'a CStore,
349     mut krate: ast::Crate,
350     crate_name: &str,
351     resolver_arenas: &'a ResolverArenas<'a>,
352     crate_loader: &'a mut CrateLoader<'a>,
353     plugin_info: PluginInfo,
354 ) -> Result<(ast::Crate, Resolver<'a>)> {
355     let attributes = plugin_info.attributes;
356     time(sess, "pre ast expansion lint checks", || {
357         lint::check_ast_crate(
358             sess,
359             &krate,
360             true,
361             rustc_lint::BuiltinCombinedPreExpansionLintPass::new());
362     });
363
364     let mut resolver = Resolver::new(
365         sess,
366         cstore,
367         &krate,
368         crate_name,
369         crate_loader,
370         &resolver_arenas,
371     );
372     syntax_ext::register_builtin_macros(&mut resolver, sess.edition());
373     syntax_ext::plugin_macro_defs::inject(
374         &mut krate, &mut resolver, plugin_info.syntax_exts, sess.edition()
375     );
376
377     // Expand all macros
378     sess.profiler(|p| p.start_activity("macro expansion"));
379     krate = time(sess, "expansion", || {
380         // Windows dlls do not have rpaths, so they don't know how to find their
381         // dependencies. It's up to us to tell the system where to find all the
382         // dependent dlls. Note that this uses cfg!(windows) as opposed to
383         // targ_cfg because syntax extensions are always loaded for the host
384         // compiler, not for the target.
385         //
386         // This is somewhat of an inherently racy operation, however, as
387         // multiple threads calling this function could possibly continue
388         // extending PATH far beyond what it should. To solve this for now we
389         // just don't add any new elements to PATH which are already there
390         // within PATH. This is basically a targeted fix at #17360 for rustdoc
391         // which runs rustc in parallel but has been seen (#33844) to cause
392         // problems with PATH becoming too long.
393         let mut old_path = OsString::new();
394         if cfg!(windows) {
395             old_path = env::var_os("PATH").unwrap_or(old_path);
396             let mut new_path = sess.host_filesearch(PathKind::All).search_path_dirs();
397             for path in env::split_paths(&old_path) {
398                 if !new_path.contains(&path) {
399                     new_path.push(path);
400                 }
401             }
402             env::set_var(
403                 "PATH",
404                 &env::join_paths(
405                     new_path
406                         .iter()
407                         .filter(|p| env::join_paths(iter::once(p)).is_ok()),
408                 ).unwrap(),
409             );
410         }
411
412         // Create the config for macro expansion
413         let features = sess.features_untracked();
414         let cfg = syntax::ext::expand::ExpansionConfig {
415             features: Some(&features),
416             recursion_limit: *sess.recursion_limit.get(),
417             trace_mac: sess.opts.debugging_opts.trace_macros,
418             should_test: sess.opts.test,
419             ..syntax::ext::expand::ExpansionConfig::default(crate_name.to_string())
420         };
421
422         let mut ecx = ExtCtxt::new(&sess.parse_sess, cfg, &mut resolver);
423
424         // Expand macros now!
425         let krate = time(sess, "expand crate", || {
426             ecx.monotonic_expander().expand_crate(krate)
427         });
428
429         // The rest is error reporting
430
431         time(sess, "check unused macros", || {
432             ecx.check_unused_macros();
433         });
434
435         let mut missing_fragment_specifiers: Vec<_> = ecx.parse_sess
436             .missing_fragment_specifiers
437             .borrow()
438             .iter()
439             .cloned()
440             .collect();
441         missing_fragment_specifiers.sort();
442
443         for span in missing_fragment_specifiers {
444             let lint = lint::builtin::MISSING_FRAGMENT_SPECIFIER;
445             let msg = "missing fragment specifier";
446             sess.buffer_lint(lint, ast::CRATE_NODE_ID, span, msg);
447         }
448         if cfg!(windows) {
449             env::set_var("PATH", &old_path);
450         }
451         krate
452     });
453     sess.profiler(|p| p.end_activity("macro expansion"));
454
455     time(sess, "maybe building test harness", || {
456         syntax_ext::test_harness::inject(
457             &sess.parse_sess,
458             &mut resolver,
459             sess.opts.test,
460             &mut krate,
461             sess.diagnostic(),
462             &sess.features_untracked(),
463         )
464     });
465
466     // If we're actually rustdoc then there's no need to actually compile
467     // anything, so switch everything to just looping
468     if sess.opts.actually_rustdoc {
469         util::ReplaceBodyWithLoop::new(sess).visit_crate(&mut krate);
470     }
471
472     let has_proc_macro_decls = time(sess, "AST validation", || {
473         ast_validation::check_crate(sess, &krate)
474     });
475
476     // If we're in rustdoc we're always compiling as an rlib, but that'll trip a
477     // bunch of checks in the `modify` function below. For now just skip this
478     // step entirely if we're rustdoc as it's not too useful anyway.
479     if !sess.opts.actually_rustdoc {
480         krate = time(sess, "maybe creating a macro crate", || {
481             let crate_types = sess.crate_types.borrow();
482             let num_crate_types = crate_types.len();
483             let is_proc_macro_crate = crate_types.contains(&config::CrateType::ProcMacro);
484             let is_test_crate = sess.opts.test;
485             syntax_ext::proc_macro_harness::inject(
486                 &sess.parse_sess,
487                 &mut resolver,
488                 krate,
489                 is_proc_macro_crate,
490                 has_proc_macro_decls,
491                 is_test_crate,
492                 num_crate_types,
493                 sess.diagnostic(),
494             )
495         });
496     }
497
498     // Done with macro expansion!
499
500     if sess.opts.debugging_opts.input_stats {
501         println!("Post-expansion node count: {}", count_nodes(&krate));
502     }
503
504     if sess.opts.debugging_opts.hir_stats {
505         hir_stats::print_ast_stats(&krate, "POST EXPANSION AST STATS");
506     }
507
508     if sess.opts.debugging_opts.ast_json {
509         println!("{}", json::as_json(&krate));
510     }
511
512     time(sess, "name resolution", || {
513         resolver.resolve_crate(&krate);
514     });
515
516     // Needs to go *after* expansion to be able to check the results of macro expansion.
517     time(sess, "complete gated feature checking", || {
518         syntax::feature_gate::check_crate(
519             &krate,
520             &sess.parse_sess,
521             &sess.features_untracked(),
522             &attributes,
523             sess.opts.unstable_features,
524         );
525     });
526
527     // Add all buffered lints from the `ParseSess` to the `Session`.
528     sess.parse_sess.buffered_lints.with_lock(|buffered_lints| {
529         info!("{} parse sess buffered_lints", buffered_lints.len());
530         for BufferedEarlyLint{id, span, msg, lint_id} in buffered_lints.drain(..) {
531             let lint = lint::Lint::from_parser_lint_id(lint_id);
532             sess.buffer_lint(lint, id, span, &msg);
533         }
534     });
535
536     Ok((krate, resolver))
537 }
538
539 pub fn lower_to_hir(
540     sess: &Session,
541     cstore: &CStore,
542     resolver: &mut Resolver<'_>,
543     dep_graph: &DepGraph,
544     krate: &ast::Crate,
545 ) -> Result<hir::map::Forest> {
546     // Lower ast -> hir
547     let hir_forest = time(sess, "lowering ast -> hir", || {
548         let hir_crate = lower_crate(sess, cstore, &dep_graph, &krate, resolver);
549
550         if sess.opts.debugging_opts.hir_stats {
551             hir_stats::print_hir_stats(&hir_crate);
552         }
553
554         hir::map::Forest::new(hir_crate, &dep_graph)
555     });
556
557     time(sess, "early lint checks", || {
558         lint::check_ast_crate(sess, &krate, false, rustc_lint::BuiltinCombinedEarlyLintPass::new())
559     });
560
561     // Discard hygiene data, which isn't required after lowering to HIR.
562     if !sess.opts.debugging_opts.keep_hygiene_data {
563         syntax::ext::hygiene::clear_syntax_context_map();
564     }
565
566     Ok(hir_forest)
567 }
568
569 // Returns all the paths that correspond to generated files.
570 fn generated_output_paths(
571     sess: &Session,
572     outputs: &OutputFilenames,
573     exact_name: bool,
574     crate_name: &str,
575 ) -> Vec<PathBuf> {
576     let mut out_filenames = Vec::new();
577     for output_type in sess.opts.output_types.keys() {
578         let file = outputs.path(*output_type);
579         match *output_type {
580             // If the filename has been overridden using `-o`, it will not be modified
581             // by appending `.rlib`, `.exe`, etc., so we can skip this transformation.
582             OutputType::Exe if !exact_name => for crate_type in sess.crate_types.borrow().iter() {
583                 let p = ::rustc_codegen_utils::link::filename_for_input(
584                     sess,
585                     *crate_type,
586                     crate_name,
587                     outputs,
588                 );
589                 out_filenames.push(p);
590             },
591             OutputType::DepInfo if sess.opts.debugging_opts.dep_info_omit_d_target => {
592                 // Don't add the dep-info output when omitting it from dep-info targets
593             }
594             _ => {
595                 out_filenames.push(file);
596             }
597         }
598     }
599     out_filenames
600 }
601
602 // Runs `f` on every output file path and returns the first non-None result, or None if `f`
603 // returns None for every file path.
604 fn check_output<F, T>(output_paths: &[PathBuf], f: F) -> Option<T>
605 where
606     F: Fn(&PathBuf) -> Option<T>,
607 {
608     for output_path in output_paths {
609         if let Some(result) = f(output_path) {
610             return Some(result);
611         }
612     }
613     None
614 }
615
616 fn output_contains_path(output_paths: &[PathBuf], input_path: &PathBuf) -> bool {
617     let input_path = input_path.canonicalize().ok();
618     if input_path.is_none() {
619         return false;
620     }
621     let check = |output_path: &PathBuf| {
622         if output_path.canonicalize().ok() == input_path {
623             Some(())
624         } else {
625             None
626         }
627     };
628     check_output(output_paths, check).is_some()
629 }
630
631 fn output_conflicts_with_dir(output_paths: &[PathBuf]) -> Option<PathBuf> {
632     let check = |output_path: &PathBuf| {
633         if output_path.is_dir() {
634             Some(output_path.clone())
635         } else {
636             None
637         }
638     };
639     check_output(output_paths, check)
640 }
641
642 fn escape_dep_filename(filename: &FileName) -> String {
643     // Apparently clang and gcc *only* escape spaces:
644     // http://llvm.org/klaus/clang/commit/9d50634cfc268ecc9a7250226dd5ca0e945240d4
645     filename.to_string().replace(" ", "\\ ")
646 }
647
648 fn write_out_deps(compiler: &Compiler, outputs: &OutputFilenames, out_filenames: &[PathBuf]) {
649     let sess = &compiler.sess;
650     // Write out dependency rules to the dep-info file if requested
651     if !sess.opts.output_types.contains_key(&OutputType::DepInfo) {
652         return;
653     }
654     let deps_filename = outputs.path(OutputType::DepInfo);
655
656     let result = (|| -> io::Result<()> {
657         // Build a list of files used to compile the output and
658         // write Makefile-compatible dependency rules
659         let mut files: Vec<String> = sess.source_map()
660             .files()
661             .iter()
662             .filter(|fmap| fmap.is_real_file())
663             .filter(|fmap| !fmap.is_imported())
664             .map(|fmap| escape_dep_filename(&fmap.name))
665             .collect();
666
667         if sess.binary_dep_depinfo() {
668             for cnum in compiler.cstore.crates_untracked() {
669                 let metadata = compiler.cstore.crate_data_as_rc_any(cnum);
670                 let metadata = metadata.downcast_ref::<cstore::CrateMetadata>().unwrap();
671                 if let Some((path, _)) = &metadata.source.dylib {
672                     files.push(escape_dep_filename(&FileName::Real(path.clone())));
673                 }
674                 if let Some((path, _)) = &metadata.source.rlib {
675                     files.push(escape_dep_filename(&FileName::Real(path.clone())));
676                 }
677                 if let Some((path, _)) = &metadata.source.rmeta {
678                     files.push(escape_dep_filename(&FileName::Real(path.clone())));
679                 }
680             }
681         }
682
683         let mut file = fs::File::create(&deps_filename)?;
684         for path in out_filenames {
685             writeln!(file, "{}: {}\n", path.display(), files.join(" "))?;
686         }
687
688         // Emit a fake target for each input file to the compilation. This
689         // prevents `make` from spitting out an error if a file is later
690         // deleted. For more info see #28735
691         for path in files {
692             writeln!(file, "{}:", path)?;
693         }
694         Ok(())
695     })();
696
697     match result {
698         Ok(_) => {
699             if sess.opts.debugging_opts.emit_artifact_notifications {
700                  sess.parse_sess.span_diagnostic
701                     .emit_artifact_notification(&deps_filename, "dep-info");
702             }
703         },
704         Err(e) => {
705             sess.fatal(&format!(
706                 "error writing dependencies to `{}`: {}",
707                 deps_filename.display(),
708                 e
709             ))
710         }
711     }
712 }
713
714 pub fn prepare_outputs(
715     sess: &Session,
716     compiler: &Compiler,
717     krate: &ast::Crate,
718     crate_name: &str
719 ) -> Result<OutputFilenames> {
720     // FIXME: rustdoc passes &[] instead of &krate.attrs here
721     let outputs = util::build_output_filenames(
722         &compiler.input,
723         &compiler.output_dir,
724         &compiler.output_file,
725         &krate.attrs,
726         sess
727     );
728
729     let output_paths = generated_output_paths(
730         sess,
731         &outputs,
732         compiler.output_file.is_some(),
733         &crate_name,
734     );
735
736     // Ensure the source file isn't accidentally overwritten during compilation.
737     if let Some(ref input_path) = compiler.input_path {
738         if sess.opts.will_create_output_file() {
739             if output_contains_path(&output_paths, input_path) {
740                 sess.err(&format!(
741                     "the input file \"{}\" would be overwritten by the generated \
742                         executable",
743                     input_path.display()
744                 ));
745                 return Err(ErrorReported);
746             }
747             if let Some(dir_path) = output_conflicts_with_dir(&output_paths) {
748                 sess.err(&format!(
749                     "the generated executable for the input file \"{}\" conflicts with the \
750                         existing directory \"{}\"",
751                     input_path.display(),
752                     dir_path.display()
753                 ));
754                 return Err(ErrorReported);
755             }
756         }
757     }
758
759     write_out_deps(compiler, &outputs, &output_paths);
760
761     let only_dep_info = sess.opts.output_types.contains_key(&OutputType::DepInfo)
762         && sess.opts.output_types.len() == 1;
763
764     if !only_dep_info {
765         if let Some(ref dir) = compiler.output_dir {
766             if fs::create_dir_all(dir).is_err() {
767                 sess.err("failed to find or create the directory specified by --out-dir");
768                 return Err(ErrorReported);
769             }
770         }
771     }
772
773     Ok(outputs)
774 }
775
776 pub fn default_provide(providers: &mut ty::query::Providers<'_>) {
777     providers.analysis = analysis;
778     proc_macro_decls::provide(providers);
779     plugin::build::provide(providers);
780     hir::provide(providers);
781     borrowck::provide(providers);
782     mir::provide(providers);
783     reachable::provide(providers);
784     resolve_lifetime::provide(providers);
785     rustc_privacy::provide(providers);
786     typeck::provide(providers);
787     ty::provide(providers);
788     traits::provide(providers);
789     stability::provide(providers);
790     middle::intrinsicck::provide(providers);
791     middle::liveness::provide(providers);
792     reachable::provide(providers);
793     rustc_passes::provide(providers);
794     rustc_traits::provide(providers);
795     middle::region::provide(providers);
796     middle::entry::provide(providers);
797     cstore::provide(providers);
798     lint::provide(providers);
799     rustc_lint::provide(providers);
800 }
801
802 pub fn default_provide_extern(providers: &mut ty::query::Providers<'_>) {
803     cstore::provide_extern(providers);
804 }
805
806 declare_box_region_type!(
807     pub BoxedGlobalCtxt,
808     for('tcx),
809     (&'tcx GlobalCtxt<'tcx>) -> ((), ())
810 );
811
812 impl BoxedGlobalCtxt {
813     pub fn enter<F, R>(&mut self, f: F) -> R
814     where
815         F: for<'tcx> FnOnce(TyCtxt<'tcx>) -> R,
816     {
817         self.access(|gcx| ty::tls::enter_global(gcx, |tcx| f(tcx)))
818     }
819 }
820
821 pub fn create_global_ctxt(
822     compiler: &Compiler,
823     mut hir_forest: hir::map::Forest,
824     defs: hir::map::Definitions,
825     resolutions: Resolutions,
826     outputs: OutputFilenames,
827     tx: mpsc::Sender<Box<dyn Any + Send>>,
828     crate_name: &str,
829 ) -> BoxedGlobalCtxt {
830     let sess = compiler.session().clone();
831     let cstore = compiler.cstore.clone();
832     let codegen_backend = compiler.codegen_backend().clone();
833     let crate_name = crate_name.to_string();
834
835     let ((), result) = BoxedGlobalCtxt::new(static move || {
836         let sess = &*sess;
837         let cstore = &*cstore;
838
839         let global_ctxt: Option<GlobalCtxt<'_>>;
840         let arenas = AllArenas::new();
841
842         // Construct the HIR map
843         let hir_map = time(sess, "indexing hir", || {
844             hir::map::map_crate(sess, cstore, &mut hir_forest, &defs)
845         });
846
847         let query_result_on_disk_cache = time(sess, "load query result cache", || {
848             rustc_incremental::load_query_result_cache(sess)
849         });
850
851         let mut local_providers = ty::query::Providers::default();
852         default_provide(&mut local_providers);
853         codegen_backend.provide(&mut local_providers);
854
855         let mut extern_providers = local_providers;
856         default_provide_extern(&mut extern_providers);
857         codegen_backend.provide_extern(&mut extern_providers);
858
859         let gcx = TyCtxt::create_global_ctxt(
860             sess,
861             cstore,
862             local_providers,
863             extern_providers,
864             &arenas,
865             resolutions,
866             hir_map,
867             query_result_on_disk_cache,
868             &crate_name,
869             tx,
870             &outputs
871         );
872
873         global_ctxt = Some(gcx);
874         let gcx = global_ctxt.as_ref().unwrap();
875
876         ty::tls::enter_global(gcx, |tcx| {
877             // Do some initialization of the DepGraph that can only be done with the
878             // tcx available.
879             time(tcx.sess, "dep graph tcx init", || rustc_incremental::dep_graph_tcx_init(tcx));
880         });
881
882         yield BoxedGlobalCtxt::initial_yield(());
883         box_region_allow_access!(for('tcx), (&'tcx GlobalCtxt<'tcx>), (gcx));
884
885         if sess.opts.debugging_opts.query_stats {
886             gcx.queries.print_stats();
887         }
888     });
889
890     result
891 }
892
893 /// Runs the resolution, type-checking, region checking and other
894 /// miscellaneous analysis passes on the crate.
895 fn analysis(tcx: TyCtxt<'_>, cnum: CrateNum) -> Result<()> {
896     assert_eq!(cnum, LOCAL_CRATE);
897
898     let sess = tcx.sess;
899     let mut entry_point = None;
900
901     time(sess, "misc checking 1", || {
902         parallel!({
903             entry_point = time(sess, "looking for entry point", || {
904                 middle::entry::find_entry_point(tcx)
905             });
906
907             time(sess, "looking for plugin registrar", || {
908                 plugin::build::find_plugin_registrar(tcx)
909             });
910
911             time(sess, "looking for derive registrar", || {
912                 proc_macro_decls::find(tcx)
913             });
914         }, {
915             par_iter(&tcx.hir().krate().modules).for_each(|(&module, _)| {
916                 tcx.ensure().check_mod_loops(tcx.hir().local_def_id_from_node_id(module));
917                 tcx.ensure().check_mod_attrs(tcx.hir().local_def_id_from_node_id(module));
918                 tcx.ensure().check_mod_unstable_api_usage(
919                     tcx.hir().local_def_id_from_node_id(module));
920             });
921         });
922     });
923
924     // passes are timed inside typeck
925     typeck::check_crate(tcx)?;
926
927     time(sess, "misc checking 2", || {
928         parallel!({
929             time(sess, "rvalue promotion + match checking", || {
930                 tcx.par_body_owners(|def_id| {
931                     tcx.ensure().const_is_rvalue_promotable_to_static(def_id);
932                     tcx.ensure().check_match(def_id);
933                 });
934             });
935         }, {
936             time(sess, "liveness checking + intrinsic checking", || {
937                 par_iter(&tcx.hir().krate().modules).for_each(|(&module, _)| {
938                     // this must run before MIR dump, because
939                     // "not all control paths return a value" is reported here.
940                     //
941                     // maybe move the check to a MIR pass?
942                     tcx.ensure().check_mod_liveness(tcx.hir().local_def_id_from_node_id(module));
943
944                     tcx.ensure().check_mod_intrinsics(tcx.hir().local_def_id_from_node_id(module));
945                 });
946             });
947         });
948     });
949
950     time(sess, "borrow checking", || {
951         if tcx.use_ast_borrowck() {
952             borrowck::check_crate(tcx);
953         }
954     });
955
956     time(sess, "MIR borrow checking", || {
957         tcx.par_body_owners(|def_id| tcx.ensure().mir_borrowck(def_id));
958     });
959
960     time(sess, "dumping chalk-like clauses", || {
961         rustc_traits::lowering::dump_program_clauses(tcx);
962     });
963
964     time(sess, "MIR effect checking", || {
965         for def_id in tcx.body_owners() {
966             mir::transform::check_unsafety::check_unsafety(tcx, def_id)
967         }
968     });
969
970     time(sess, "layout testing", || layout_test::test_layout(tcx));
971
972     // Avoid overwhelming user with errors if borrow checking failed.
973     // I'm not sure how helpful this is, to be honest, but it avoids a
974     // lot of annoying errors in the compile-fail tests (basically,
975     // lint warnings and so on -- kindck used to do this abort, but
976     // kindck is gone now). -nmatsakis
977     if sess.has_errors() {
978         return Err(ErrorReported);
979     }
980
981     time(sess, "misc checking 3", || {
982         parallel!({
983             time(sess, "privacy access levels", || {
984                 tcx.ensure().privacy_access_levels(LOCAL_CRATE);
985             });
986             parallel!({
987                 time(sess, "private in public", || {
988                     tcx.ensure().check_private_in_public(LOCAL_CRATE);
989                 });
990             }, {
991                 time(sess, "death checking", || middle::dead::check_crate(tcx));
992             },  {
993                 time(sess, "unused lib feature checking", || {
994                     stability::check_unused_or_stable_features(tcx)
995                 });
996             }, {
997                 time(sess, "lint checking", || {
998                     lint::check_crate(tcx, || rustc_lint::BuiltinCombinedLateLintPass::new());
999                 });
1000             });
1001         }, {
1002             time(sess, "privacy checking modules", || {
1003                 par_iter(&tcx.hir().krate().modules).for_each(|(&module, _)| {
1004                     tcx.ensure().check_mod_privacy(tcx.hir().local_def_id_from_node_id(module));
1005                 });
1006             });
1007         });
1008     });
1009
1010     Ok(())
1011 }
1012
1013 fn encode_and_write_metadata(
1014     tcx: TyCtxt<'_>,
1015     outputs: &OutputFilenames,
1016 ) -> (middle::cstore::EncodedMetadata, bool) {
1017     #[derive(PartialEq, Eq, PartialOrd, Ord)]
1018     enum MetadataKind {
1019         None,
1020         Uncompressed,
1021         Compressed
1022     }
1023
1024     let metadata_kind = tcx.sess.crate_types.borrow().iter().map(|ty| {
1025         match *ty {
1026             CrateType::Executable |
1027             CrateType::Staticlib |
1028             CrateType::Cdylib => MetadataKind::None,
1029
1030             CrateType::Rlib => MetadataKind::Uncompressed,
1031
1032             CrateType::Dylib |
1033             CrateType::ProcMacro => MetadataKind::Compressed,
1034         }
1035     }).max().unwrap_or(MetadataKind::None);
1036
1037     let metadata = match metadata_kind {
1038         MetadataKind::None => middle::cstore::EncodedMetadata::new(),
1039         MetadataKind::Uncompressed |
1040         MetadataKind::Compressed => tcx.encode_metadata(),
1041     };
1042
1043     let need_metadata_file = tcx.sess.opts.output_types.contains_key(&OutputType::Metadata);
1044     if need_metadata_file {
1045         let crate_name = &tcx.crate_name(LOCAL_CRATE).as_str();
1046         let out_filename = filename_for_metadata(tcx.sess, crate_name, outputs);
1047         // To avoid races with another rustc process scanning the output directory,
1048         // we need to write the file somewhere else and atomically move it to its
1049         // final destination, with an `fs::rename` call. In order for the rename to
1050         // always succeed, the temporary file needs to be on the same filesystem,
1051         // which is why we create it inside the output directory specifically.
1052         let metadata_tmpdir = TempFileBuilder::new()
1053             .prefix("rmeta")
1054             .tempdir_in(out_filename.parent().unwrap())
1055             .unwrap_or_else(|err| {
1056                 tcx.sess.fatal(&format!("couldn't create a temp dir: {}", err))
1057             });
1058         let metadata_filename = emit_metadata(tcx.sess, &metadata, &metadata_tmpdir);
1059         if let Err(e) = fs::rename(&metadata_filename, &out_filename) {
1060             tcx.sess.fatal(&format!("failed to write {}: {}", out_filename.display(), e));
1061         }
1062         if tcx.sess.opts.debugging_opts.emit_artifact_notifications {
1063             tcx.sess.parse_sess.span_diagnostic
1064                 .emit_artifact_notification(&out_filename, "metadata");
1065         }
1066     }
1067
1068     let need_metadata_module = metadata_kind == MetadataKind::Compressed;
1069
1070     (metadata, need_metadata_module)
1071 }
1072
1073 /// Runs the codegen backend, after which the AST and analysis can
1074 /// be discarded.
1075 pub fn start_codegen<'tcx>(
1076     codegen_backend: &dyn CodegenBackend,
1077     tcx: TyCtxt<'tcx>,
1078     rx: mpsc::Receiver<Box<dyn Any + Send>>,
1079     outputs: &OutputFilenames,
1080 ) -> Box<dyn Any> {
1081     if log_enabled!(::log::Level::Info) {
1082         println!("Pre-codegen");
1083         tcx.print_debug_stats();
1084     }
1085
1086     time(tcx.sess, "resolving dependency formats", || {
1087         middle::dependency_format::calculate(tcx)
1088     });
1089
1090     let (metadata, need_metadata_module) = time(tcx.sess, "metadata encoding and writing", || {
1091         encode_and_write_metadata(tcx, outputs)
1092     });
1093
1094     tcx.sess.profiler(|p| p.start_activity("codegen crate"));
1095     let codegen = time(tcx.sess, "codegen", move || {
1096         codegen_backend.codegen_crate(tcx, metadata, need_metadata_module, rx)
1097     });
1098     tcx.sess.profiler(|p| p.end_activity("codegen crate"));
1099
1100     if log_enabled!(::log::Level::Info) {
1101         println!("Post-codegen");
1102         tcx.print_debug_stats();
1103     }
1104
1105     if tcx.sess.opts.output_types.contains_key(&OutputType::Mir) {
1106         if let Err(e) = mir::transform::dump_mir::emit_mir(tcx, outputs) {
1107             tcx.sess.err(&format!("could not emit MIR: {}", e));
1108             tcx.sess.abort_if_errors();
1109         }
1110     }
1111
1112     codegen
1113 }