Skip to content

Commit ffaa32b

Browse files
committed
Auto merge of #114803 - bjorn3:less_session_mutable_state, r=fee1-dead
Couple of global state and driver refactors * Remove some unused global mutable state * Remove a couple of unnecessary queries (both driver and `TyCtxt` queries) * Remove an unnecessary use of `FxIndexMap`
2 parents 3276b29 + 223c43b commit ffaa32b

File tree

13 files changed

+50
-106
lines changed

13 files changed

+50
-106
lines changed

compiler/rustc_incremental/src/persist/load.rs

+1-3
Original file line numberDiff line numberDiff line change
@@ -3,7 +3,7 @@
33
use crate::errors;
44
use rustc_data_structures::memmap::Mmap;
55
use rustc_data_structures::unord::UnordMap;
6-
use rustc_middle::dep_graph::{SerializedDepGraph, WorkProduct, WorkProductId};
6+
use rustc_middle::dep_graph::{SerializedDepGraph, WorkProductMap};
77
use rustc_middle::query::on_disk_cache::OnDiskCache;
88
use rustc_serialize::opaque::MemDecoder;
99
use rustc_serialize::Decodable;
@@ -16,8 +16,6 @@ use super::file_format;
1616
use super::fs::*;
1717
use super::work_product;
1818

19-
type WorkProductMap = UnordMap<WorkProductId, WorkProduct>;
20-
2119
#[derive(Debug)]
2220
/// Represents the result of an attempt to load incremental compilation data.
2321
pub enum LoadResult<T> {

compiler/rustc_incremental/src/persist/save.rs

+5-3
Original file line numberDiff line numberDiff line change
@@ -1,7 +1,9 @@
11
use crate::errors;
22
use rustc_data_structures::fx::FxIndexMap;
33
use rustc_data_structures::sync::join;
4-
use rustc_middle::dep_graph::{DepGraph, SerializedDepGraph, WorkProduct, WorkProductId};
4+
use rustc_middle::dep_graph::{
5+
DepGraph, SerializedDepGraph, WorkProduct, WorkProductId, WorkProductMap,
6+
};
57
use rustc_middle::ty::TyCtxt;
68
use rustc_serialize::opaque::{FileEncodeResult, FileEncoder};
79
use rustc_serialize::Encodable as RustcEncodable;
@@ -101,7 +103,7 @@ pub fn save_work_product_index(
101103
// deleted during invalidation. Some object files don't change their
102104
// content, they are just not needed anymore.
103105
let previous_work_products = dep_graph.previous_work_products();
104-
for (id, wp) in previous_work_products.iter() {
106+
for (id, wp) in previous_work_products.to_sorted_stable_ord().iter() {
105107
if !new_work_products.contains_key(id) {
106108
work_product::delete_workproduct_files(sess, wp);
107109
debug_assert!(
@@ -146,7 +148,7 @@ fn encode_query_cache(tcx: TyCtxt<'_>, encoder: FileEncoder) -> FileEncodeResult
146148
pub fn build_dep_graph(
147149
sess: &Session,
148150
prev_graph: SerializedDepGraph,
149-
prev_work_products: FxIndexMap<WorkProductId, WorkProduct>,
151+
prev_work_products: WorkProductMap,
150152
) -> Option<DepGraph> {
151153
if sess.opts.incremental.is_none() {
152154
// No incremental compilation.

compiler/rustc_interface/src/queries.rs

+24-58
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,6 @@ use crate::{passes, util};
55
use rustc_ast as ast;
66
use rustc_codegen_ssa::traits::CodegenBackend;
77
use rustc_codegen_ssa::CodegenResults;
8-
use rustc_data_structures::fx::FxIndexMap;
98
use rustc_data_structures::steal::Steal;
109
use rustc_data_structures::svh::Svh;
1110
use rustc_data_structures::sync::{AppendOnlyIndexVec, Lrc, OnceCell, RwLock, WorkerLocal};
@@ -86,9 +85,6 @@ pub struct Queries<'tcx> {
8685

8786
parse: Query<ast::Crate>,
8887
pre_configure: Query<(ast::Crate, ast::AttrVec)>,
89-
crate_name: Query<Symbol>,
90-
crate_types: Query<Vec<CrateType>>,
91-
stable_crate_id: Query<StableCrateId>,
9288
// This just points to what's in `gcx_cell`.
9389
gcx: Query<&'tcx GlobalCtxt<'tcx>>,
9490
}
@@ -102,9 +98,6 @@ impl<'tcx> Queries<'tcx> {
10298
hir_arena: WorkerLocal::new(|_| rustc_hir::Arena::default()),
10399
parse: Default::default(),
104100
pre_configure: Default::default(),
105-
crate_name: Default::default(),
106-
crate_types: Default::default(),
107-
stable_crate_id: Default::default(),
108101
gcx: Default::default(),
109102
}
110103
}
@@ -138,39 +131,12 @@ impl<'tcx> Queries<'tcx> {
138131
})
139132
}
140133

141-
fn crate_name(&self) -> Result<QueryResult<'_, Symbol>> {
142-
self.crate_name.compute(|| {
143-
let pre_configure_result = self.pre_configure()?;
144-
let (_, pre_configured_attrs) = &*pre_configure_result.borrow();
145-
// parse `#[crate_name]` even if `--crate-name` was passed, to make sure it matches.
146-
Ok(find_crate_name(self.session(), pre_configured_attrs))
147-
})
148-
}
149-
150-
fn crate_types(&self) -> Result<QueryResult<'_, Vec<CrateType>>> {
151-
self.crate_types.compute(|| {
152-
let pre_configure_result = self.pre_configure()?;
153-
let (_, pre_configured_attrs) = &*pre_configure_result.borrow();
154-
Ok(util::collect_crate_types(&self.session(), &pre_configured_attrs))
155-
})
156-
}
157-
158-
fn stable_crate_id(&self) -> Result<QueryResult<'_, StableCrateId>> {
159-
self.stable_crate_id.compute(|| {
160-
let sess = self.session();
161-
Ok(StableCrateId::new(
162-
*self.crate_name()?.borrow(),
163-
self.crate_types()?.borrow().contains(&CrateType::Executable),
164-
sess.opts.cg.metadata.clone(),
165-
sess.cfg_version,
166-
))
167-
})
168-
}
169-
170-
fn dep_graph_future(&self) -> Result<Option<DepGraphFuture>> {
134+
fn dep_graph_future(
135+
&self,
136+
crate_name: Symbol,
137+
stable_crate_id: StableCrateId,
138+
) -> Result<Option<DepGraphFuture>> {
171139
let sess = self.session();
172-
let crate_name = *self.crate_name()?.borrow();
173-
let stable_crate_id = *self.stable_crate_id()?.borrow();
174140

175141
// `load_dep_graph` can only be called after `prepare_session_directory`.
176142
rustc_incremental::prepare_session_directory(sess, crate_name, stable_crate_id)?;
@@ -195,39 +161,42 @@ impl<'tcx> Queries<'tcx> {
195161
dep_graph_future
196162
.and_then(|future| {
197163
let sess = self.session();
198-
let (prev_graph, mut prev_work_products) =
164+
let (prev_graph, prev_work_products) =
199165
sess.time("blocked_on_dep_graph_loading", || future.open().open(sess));
200-
// Convert from UnordMap to FxIndexMap by sorting
201-
let prev_work_product_ids =
202-
prev_work_products.items().map(|x| *x.0).into_sorted_stable_ord();
203-
let prev_work_products = prev_work_product_ids
204-
.into_iter()
205-
.map(|x| (x, prev_work_products.remove(&x).unwrap()))
206-
.collect::<FxIndexMap<_, _>>();
207166
rustc_incremental::build_dep_graph(sess, prev_graph, prev_work_products)
208167
})
209168
.unwrap_or_else(DepGraph::new_disabled)
210169
}
211170

212171
pub fn global_ctxt(&'tcx self) -> Result<QueryResult<'_, &'tcx GlobalCtxt<'tcx>>> {
213172
self.gcx.compute(|| {
173+
let sess = self.session();
174+
let (krate, pre_configured_attrs) = self.pre_configure()?.steal();
175+
176+
// parse `#[crate_name]` even if `--crate-name` was passed, to make sure it matches.
177+
let crate_name = find_crate_name(sess, &pre_configured_attrs);
178+
let crate_types = util::collect_crate_types(sess, &pre_configured_attrs);
179+
let stable_crate_id = StableCrateId::new(
180+
crate_name,
181+
crate_types.contains(&CrateType::Executable),
182+
sess.opts.cg.metadata.clone(),
183+
sess.cfg_version,
184+
);
185+
214186
// Compute the dependency graph (in the background). We want to do this as early as
215187
// possible, to give the DepGraph maximum time to load before `dep_graph` is called.
216-
let dep_graph_future = self.dep_graph_future()?;
217-
218-
let crate_name = self.crate_name()?.steal();
219-
let crate_types = self.crate_types()?.steal();
220-
let stable_crate_id = self.stable_crate_id()?.steal();
221-
let (krate, pre_configured_attrs) = self.pre_configure()?.steal();
188+
let dep_graph_future = self.dep_graph_future(crate_name, stable_crate_id)?;
222189

223-
let sess = self.session();
224190
let lint_store = Lrc::new(passes::create_lint_store(
225191
sess,
226192
&*self.codegen_backend().metadata_loader(),
227193
self.compiler.register_lints.as_deref(),
228194
&pre_configured_attrs,
229195
));
230-
let cstore = RwLock::new(Box::new(CStore::new(stable_crate_id)) as _);
196+
let cstore = RwLock::new(Box::new(CStore::new(
197+
self.codegen_backend().metadata_loader(),
198+
stable_crate_id,
199+
)) as _);
231200
let definitions = RwLock::new(Definitions::new(stable_crate_id));
232201
let source_span = AppendOnlyIndexVec::new();
233202
let _id = source_span.push(krate.spans.inner_span);
@@ -255,9 +224,6 @@ impl<'tcx> Queries<'tcx> {
255224
tcx.arena.alloc(rustc_expand::config::features(sess, &pre_configured_attrs)),
256225
);
257226
feed.crate_for_resolver(tcx.arena.alloc(Steal::new((krate, pre_configured_attrs))));
258-
feed.metadata_loader(
259-
tcx.arena.alloc(Steal::new(self.codegen_backend().metadata_loader())),
260-
);
261227
});
262228
Ok(qcx)
263229
})

compiler/rustc_metadata/src/creader.rs

+11-5
Original file line numberDiff line numberDiff line change
@@ -15,8 +15,9 @@ use rustc_hir::definitions::Definitions;
1515
use rustc_index::IndexVec;
1616
use rustc_middle::ty::TyCtxt;
1717
use rustc_session::config::{self, CrateType, ExternLocation};
18-
use rustc_session::cstore::ExternCrateSource;
19-
use rustc_session::cstore::{CrateDepKind, CrateSource, ExternCrate};
18+
use rustc_session::cstore::{
19+
CrateDepKind, CrateSource, ExternCrate, ExternCrateSource, MetadataLoaderDyn,
20+
};
2021
use rustc_session::lint;
2122
use rustc_session::output::validate_crate_name;
2223
use rustc_session::search_paths::PathKind;
@@ -33,6 +34,8 @@ use std::time::Duration;
3334
use std::{cmp, env, iter};
3435

3536
pub struct CStore {
37+
metadata_loader: Box<MetadataLoaderDyn>,
38+
3639
metas: IndexVec<CrateNum, Option<Box<CrateMetadata>>>,
3740
injected_panic_runtime: Option<CrateNum>,
3841
/// This crate needs an allocator and either provides it itself, or finds it in a dependency.
@@ -261,10 +264,14 @@ impl CStore {
261264
}
262265
}
263266

264-
pub fn new(local_stable_crate_id: StableCrateId) -> CStore {
267+
pub fn new(
268+
metadata_loader: Box<MetadataLoaderDyn>,
269+
local_stable_crate_id: StableCrateId,
270+
) -> CStore {
265271
let mut stable_crate_ids = StableCrateIdMap::default();
266272
stable_crate_ids.insert(local_stable_crate_id, LOCAL_CRATE);
267273
CStore {
274+
metadata_loader,
268275
// We add an empty entry for LOCAL_CRATE (which maps to zero) in
269276
// order to make array indices in `metas` match with the
270277
// corresponding `CrateNum`. This first entry will always remain
@@ -538,10 +545,9 @@ impl<'a, 'tcx> CrateLoader<'a, 'tcx> {
538545
(LoadResult::Previous(cnum), None)
539546
} else {
540547
info!("falling back to a load");
541-
let metadata_loader = self.tcx.metadata_loader(()).borrow();
542548
let mut locator = CrateLocator::new(
543549
self.sess,
544-
&**metadata_loader,
550+
&*self.cstore.metadata_loader,
545551
name,
546552
// The all loop is because `--crate-type=rlib --crate-type=rlib` is
547553
// legal and produces both inside this type.

compiler/rustc_middle/src/arena.rs

-1
Original file line numberDiff line numberDiff line change
@@ -40,7 +40,6 @@ macro_rules! arena_types {
4040
rustc_data_structures::sync::Lrc<rustc_ast::Crate>,
4141
)>,
4242
[] output_filenames: std::sync::Arc<rustc_session::config::OutputFilenames>,
43-
[] metadata_loader: rustc_data_structures::steal::Steal<Box<rustc_session::cstore::MetadataLoaderDyn>>,
4443
[] crate_for_resolver: rustc_data_structures::steal::Steal<(rustc_ast::Crate, rustc_ast::AttrVec)>,
4544
[] resolutions: rustc_middle::ty::ResolverGlobalCtxt,
4645
[decode] unsafety_check_result: rustc_middle::mir::UnsafetyCheckResult,

compiler/rustc_middle/src/dep_graph/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@ mod dep_node;
88

99
pub use rustc_query_system::dep_graph::{
1010
debug::DepNodeFilter, hash_result, DepContext, DepNodeColor, DepNodeIndex,
11-
SerializedDepNodeIndex, WorkProduct, WorkProductId,
11+
SerializedDepNodeIndex, WorkProduct, WorkProductId, WorkProductMap,
1212
};
1313

1414
pub use dep_node::{label_strs, DepKind, DepNode, DepNodeExt};

compiler/rustc_middle/src/query/mod.rs

-6
Original file line numberDiff line numberDiff line change
@@ -2096,12 +2096,6 @@ rustc_queries! {
20962096
desc { "looking up enabled feature gates" }
20972097
}
20982098

2099-
query metadata_loader((): ()) -> &'tcx Steal<Box<rustc_session::cstore::MetadataLoaderDyn>> {
2100-
feedable
2101-
no_hash
2102-
desc { "raw operations for metadata file access" }
2103-
}
2104-
21052099
query crate_for_resolver((): ()) -> &'tcx Steal<(rustc_ast::Crate, rustc_ast::AttrVec)> {
21062100
feedable
21072101
no_hash

compiler/rustc_parse/src/lexer/mod.rs

-1
Original file line numberDiff line numberDiff line change
@@ -74,7 +74,6 @@ pub(crate) fn parse_token_trees<'a>(
7474
// because the delimiter mismatch is more likely to be the root cause of error
7575

7676
let mut buffer = Vec::with_capacity(1);
77-
// Not using `emit_unclosed_delims` to use `db.buffer`
7877
for unmatched in unmatched_delims {
7978
if let Some(err) = make_unclosed_delims_error(unmatched, &sess) {
8079
err.buffer(&mut buffer);

compiler/rustc_parse/src/parser/mod.rs

-13
Original file line numberDiff line numberDiff line change
@@ -29,7 +29,6 @@ use rustc_ast::{Async, AttrArgs, AttrArgsEq, Expr, ExprKind, Mutability, StrLit}
2929
use rustc_ast::{HasAttrs, HasTokens, Unsafe, Visibility, VisibilityKind};
3030
use rustc_ast_pretty::pprust;
3131
use rustc_data_structures::fx::FxHashMap;
32-
use rustc_data_structures::sync::Ordering;
3332
use rustc_errors::PResult;
3433
use rustc_errors::{
3534
Applicability, DiagnosticBuilder, ErrorGuaranteed, FatalError, IntoDiagnostic, MultiSpan,
@@ -1455,18 +1454,6 @@ pub(crate) fn make_unclosed_delims_error(
14551454
Some(err)
14561455
}
14571456

1458-
pub fn emit_unclosed_delims(unclosed_delims: &mut Vec<UnmatchedDelim>, sess: &ParseSess) {
1459-
let _ = sess.reached_eof.fetch_or(
1460-
unclosed_delims.iter().any(|unmatched_delim| unmatched_delim.found_delim.is_none()),
1461-
Ordering::Relaxed,
1462-
);
1463-
for unmatched in unclosed_delims.drain(..) {
1464-
if let Some(mut e) = make_unclosed_delims_error(unmatched, sess) {
1465-
e.emit();
1466-
}
1467-
}
1468-
}
1469-
14701457
/// A helper struct used when building an `AttrTokenStream` from
14711458
/// a `LazyAttrTokenStream`. Both delimiter and non-delimited tokens
14721459
/// are stored as `FlatToken::Token`. A vector of `FlatToken`s

compiler/rustc_passes/src/entry.rs

-6
Original file line numberDiff line numberDiff line change
@@ -187,12 +187,6 @@ fn sigpipe(tcx: TyCtxt<'_>, def_id: DefId) -> u8 {
187187

188188
fn no_main_err(tcx: TyCtxt<'_>, visitor: &EntryContext<'_>) {
189189
let sp = tcx.def_span(CRATE_DEF_ID);
190-
if tcx.sess.parse_sess.reached_eof.load(rustc_data_structures::sync::Ordering::Relaxed) {
191-
// There's an unclosed brace that made the parser reach `Eof`, we shouldn't complain about
192-
// the missing `fn main()` then as it might have been hidden inside an unclosed block.
193-
tcx.sess.delay_span_bug(sp, "`main` not found, but expected unclosed brace error");
194-
return;
195-
}
196190

197191
// There is no main function.
198192
let mut has_filename = true;

compiler/rustc_query_system/src/dep_graph/graph.rs

+6-4
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
use rustc_data_structures::fingerprint::Fingerprint;
2-
use rustc_data_structures::fx::{FxHashMap, FxHashSet, FxIndexMap};
2+
use rustc_data_structures::fx::{FxHashMap, FxHashSet};
33
use rustc_data_structures::profiling::{EventId, QueryInvocationId, SelfProfilerRef};
44
use rustc_data_structures::sharded::{self, Sharded};
55
use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
@@ -93,7 +93,7 @@ pub struct DepGraphData<K: DepKind> {
9393
/// things available to us. If we find that they are not dirty, we
9494
/// load the path to the file storing those work-products here into
9595
/// this map. We can later look for and extract that data.
96-
previous_work_products: FxIndexMap<WorkProductId, WorkProduct>,
96+
previous_work_products: WorkProductMap,
9797

9898
dep_node_debug: Lock<FxHashMap<DepNode<K>, String>>,
9999

@@ -116,7 +116,7 @@ impl<K: DepKind> DepGraph<K> {
116116
pub fn new(
117117
profiler: &SelfProfilerRef,
118118
prev_graph: SerializedDepGraph<K>,
119-
prev_work_products: FxIndexMap<WorkProductId, WorkProduct>,
119+
prev_work_products: WorkProductMap,
120120
encoder: FileEncoder,
121121
record_graph: bool,
122122
record_stats: bool,
@@ -688,7 +688,7 @@ impl<K: DepKind> DepGraph<K> {
688688

689689
/// Access the map of work-products created during the cached run. Only
690690
/// used during saving of the dep-graph.
691-
pub fn previous_work_products(&self) -> &FxIndexMap<WorkProductId, WorkProduct> {
691+
pub fn previous_work_products(&self) -> &WorkProductMap {
692692
&self.data.as_ref().unwrap().previous_work_products
693693
}
694694

@@ -1051,6 +1051,8 @@ pub struct WorkProduct {
10511051
pub saved_files: UnordMap<String, String>,
10521052
}
10531053

1054+
pub type WorkProductMap = UnordMap<WorkProductId, WorkProduct>;
1055+
10541056
// Index type for `DepNodeData`'s edges.
10551057
rustc_index::newtype_index! {
10561058
struct EdgeIndex {}

compiler/rustc_query_system/src/dep_graph/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -7,7 +7,7 @@ mod serialized;
77
pub use dep_node::{DepKindStruct, DepNode, DepNodeParams, WorkProductId};
88
pub use graph::{
99
hash_result, DepGraph, DepGraphData, DepNodeColor, DepNodeIndex, TaskDeps, TaskDepsRef,
10-
WorkProduct,
10+
WorkProduct, WorkProductMap,
1111
};
1212
pub use query::DepGraphQuery;
1313
pub use serialized::{SerializedDepGraph, SerializedDepNodeIndex};

compiler/rustc_session/src/parse.rs

+1-4
Original file line numberDiff line numberDiff line change
@@ -8,7 +8,7 @@ use crate::lint::{
88
};
99
use rustc_ast::node_id::NodeId;
1010
use rustc_data_structures::fx::{FxHashMap, FxHashSet, FxIndexSet};
11-
use rustc_data_structures::sync::{AppendOnlyVec, AtomicBool, Lock, Lrc};
11+
use rustc_data_structures::sync::{AppendOnlyVec, Lock, Lrc};
1212
use rustc_errors::{emitter::SilentEmitter, Handler};
1313
use rustc_errors::{
1414
fallback_fluent_bundle, Diagnostic, DiagnosticBuilder, DiagnosticId, DiagnosticMessage,
@@ -204,8 +204,6 @@ pub struct ParseSess {
204204
pub ambiguous_block_expr_parse: Lock<FxHashMap<Span, Span>>,
205205
pub gated_spans: GatedSpans,
206206
pub symbol_gallery: SymbolGallery,
207-
/// The parser has reached `Eof` due to an unclosed brace. Used to silence unnecessary errors.
208-
pub reached_eof: AtomicBool,
209207
/// Environment variables accessed during the build and their values when they exist.
210208
pub env_depinfo: Lock<FxHashSet<(Symbol, Option<Symbol>)>>,
211209
/// File paths accessed during the build.
@@ -242,7 +240,6 @@ impl ParseSess {
242240
ambiguous_block_expr_parse: Lock::new(FxHashMap::default()),
243241
gated_spans: GatedSpans::default(),
244242
symbol_gallery: SymbolGallery::default(),
245-
reached_eof: AtomicBool::new(false),
246243
env_depinfo: Default::default(),
247244
file_depinfo: Default::default(),
248245
assume_incomplete_release: false,

0 commit comments

Comments
 (0)