Skip to content

Commit d474075

Browse files
committed
Auto merge of #82780 - cjgillot:dep-stream, r=michaelwoerister
Stream the dep-graph to a file instead of storing it in-memory. This is a reimplementation of #60035. Instead of storing the dep-graph in-memory, the nodes are encoded as they come into the a temporary file as they come. At the end of a successful the compilation, this file is renamed to be the persistent dep-graph, to be decoded during the next compilation session. This two-files scheme avoids overwriting the dep-graph on unsuccessful or crashing compilations. The structure of the file is modified to be the sequence of `(DepNode, Fingerprint, EdgesVec)`. The deserialization is responsible for going to the more compressed representation. The `node_count` and `edge_count` are stored in the last 16 bytes of the file, in order to accurately reserve capacity for the vectors. At the end of the compilation, the encoder is flushed and dropped. The graph is not usable after this point: any creation of a node will ICE. I had to retrofit the debugging options, which is not really pretty.
2 parents 803ddb8 + f3dde45 commit d474075

28 files changed

+656
-939
lines changed

compiler/rustc_incremental/src/assert_dep_graph.rs

+22-21
Original file line numberDiff line numberDiff line change
@@ -40,8 +40,9 @@ use rustc_graphviz as dot;
4040
use rustc_hir as hir;
4141
use rustc_hir::def_id::DefId;
4242
use rustc_hir::intravisit::{self, NestedVisitorMap, Visitor};
43-
use rustc_middle::dep_graph::debug::{DepNodeFilter, EdgeFilter};
44-
use rustc_middle::dep_graph::{DepGraphQuery, DepKind, DepNode, DepNodeExt};
43+
use rustc_middle::dep_graph::{
44+
DepGraphQuery, DepKind, DepNode, DepNodeExt, DepNodeFilter, EdgeFilter,
45+
};
4546
use rustc_middle::hir::map::Map;
4647
use rustc_middle::ty::TyCtxt;
4748
use rustc_span::symbol::{sym, Symbol};
@@ -54,7 +55,7 @@ use std::io::{BufWriter, Write};
5455
pub fn assert_dep_graph(tcx: TyCtxt<'_>) {
5556
tcx.dep_graph.with_ignore(|| {
5657
if tcx.sess.opts.debugging_opts.dump_dep_graph {
57-
dump_graph(tcx);
58+
tcx.dep_graph.with_query(dump_graph);
5859
}
5960

6061
if !tcx.sess.opts.debugging_opts.query_dep_graph {
@@ -200,29 +201,29 @@ fn check_paths<'tcx>(tcx: TyCtxt<'tcx>, if_this_changed: &Sources, then_this_wou
200201
}
201202
return;
202203
}
203-
let query = tcx.dep_graph.query();
204-
for &(_, source_def_id, ref source_dep_node) in if_this_changed {
205-
let dependents = query.transitive_predecessors(source_dep_node);
206-
for &(target_span, ref target_pass, _, ref target_dep_node) in then_this_would_need {
207-
if !dependents.contains(&target_dep_node) {
208-
tcx.sess.span_err(
209-
target_span,
210-
&format!(
211-
"no path from `{}` to `{}`",
212-
tcx.def_path_str(source_def_id),
213-
target_pass
214-
),
215-
);
216-
} else {
217-
tcx.sess.span_err(target_span, "OK");
204+
tcx.dep_graph.with_query(|query| {
205+
for &(_, source_def_id, ref source_dep_node) in if_this_changed {
206+
let dependents = query.transitive_predecessors(source_dep_node);
207+
for &(target_span, ref target_pass, _, ref target_dep_node) in then_this_would_need {
208+
if !dependents.contains(&target_dep_node) {
209+
tcx.sess.span_err(
210+
target_span,
211+
&format!(
212+
"no path from `{}` to `{}`",
213+
tcx.def_path_str(source_def_id),
214+
target_pass
215+
),
216+
);
217+
} else {
218+
tcx.sess.span_err(target_span, "OK");
219+
}
218220
}
219221
}
220-
}
222+
});
221223
}
222224

223-
fn dump_graph(tcx: TyCtxt<'_>) {
225+
fn dump_graph(query: &DepGraphQuery) {
224226
let path: String = env::var("RUST_DEP_GRAPH").unwrap_or_else(|_| "dep_graph".to_string());
225-
let query = tcx.dep_graph.query();
226227

227228
let nodes = match env::var("RUST_DEP_GRAPH_FILTER") {
228229
Ok(string) => {

compiler/rustc_incremental/src/lib.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,7 @@ mod assert_dep_graph;
1414
pub mod assert_module_sources;
1515
mod persist;
1616

17-
pub use assert_dep_graph::assert_dep_graph;
17+
use assert_dep_graph::assert_dep_graph;
1818
pub use persist::copy_cgu_workproduct_to_incr_comp_cache_dir;
1919
pub use persist::delete_workproduct_files;
2020
pub use persist::finalize_session_directory;
@@ -26,4 +26,4 @@ pub use persist::prepare_session_directory;
2626
pub use persist::save_dep_graph;
2727
pub use persist::save_work_product_index;
2828
pub use persist::LoadResult;
29-
pub use persist::{load_dep_graph, DepGraphFuture};
29+
pub use persist::{build_dep_graph, load_dep_graph, DepGraphFuture};

compiler/rustc_incremental/src/persist/dirty_clean.rs

+2-24
Original file line numberDiff line numberDiff line change
@@ -14,7 +14,6 @@
1414
//! the required condition is not met.
1515
1616
use rustc_ast::{self as ast, Attribute, NestedMetaItem};
17-
use rustc_data_structures::fingerprint::Fingerprint;
1817
use rustc_data_structures::fx::FxHashSet;
1918
use rustc_hir as hir;
2019
use rustc_hir::def_id::{DefId, LocalDefId};
@@ -381,39 +380,18 @@ impl DirtyCleanVisitor<'tcx> {
381380
fn assert_dirty(&self, item_span: Span, dep_node: DepNode) {
382381
debug!("assert_dirty({:?})", dep_node);
383382

384-
let current_fingerprint = self.get_fingerprint(&dep_node);
385-
let prev_fingerprint = self.tcx.dep_graph.prev_fingerprint_of(&dep_node);
386-
387-
if current_fingerprint == prev_fingerprint {
383+
if self.tcx.dep_graph.is_green(&dep_node) {
388384
let dep_node_str = self.dep_node_str(&dep_node);
389385
self.tcx
390386
.sess
391387
.span_err(item_span, &format!("`{}` should be dirty but is not", dep_node_str));
392388
}
393389
}
394390

395-
fn get_fingerprint(&self, dep_node: &DepNode) -> Option<Fingerprint> {
396-
if self.tcx.dep_graph.dep_node_exists(dep_node) {
397-
let dep_node_index = self.tcx.dep_graph.dep_node_index_of(dep_node);
398-
Some(self.tcx.dep_graph.fingerprint_of(dep_node_index))
399-
} else {
400-
None
401-
}
402-
}
403-
404391
fn assert_clean(&self, item_span: Span, dep_node: DepNode) {
405392
debug!("assert_clean({:?})", dep_node);
406393

407-
let current_fingerprint = self.get_fingerprint(&dep_node);
408-
let prev_fingerprint = self.tcx.dep_graph.prev_fingerprint_of(&dep_node);
409-
410-
// if the node wasn't previously evaluated and now is (or vice versa),
411-
// then the node isn't actually clean or dirty.
412-
if (current_fingerprint == None) ^ (prev_fingerprint == None) {
413-
return;
414-
}
415-
416-
if current_fingerprint != prev_fingerprint {
394+
if self.tcx.dep_graph.is_red(&dep_node) {
417395
let dep_node_str = self.dep_node_str(&dep_node);
418396
self.tcx
419397
.sess

compiler/rustc_incremental/src/persist/fs.rs

+4
Original file line numberDiff line numberDiff line change
@@ -122,6 +122,7 @@ mod tests;
122122

123123
const LOCK_FILE_EXT: &str = ".lock";
124124
const DEP_GRAPH_FILENAME: &str = "dep-graph.bin";
125+
const STAGING_DEP_GRAPH_FILENAME: &str = "dep-graph.part.bin";
125126
const WORK_PRODUCTS_FILENAME: &str = "work-products.bin";
126127
const QUERY_CACHE_FILENAME: &str = "query-cache.bin";
127128

@@ -134,6 +135,9 @@ const INT_ENCODE_BASE: usize = base_n::CASE_INSENSITIVE;
134135
pub fn dep_graph_path(sess: &Session) -> PathBuf {
135136
in_incr_comp_dir_sess(sess, DEP_GRAPH_FILENAME)
136137
}
138+
pub fn staging_dep_graph_path(sess: &Session) -> PathBuf {
139+
in_incr_comp_dir_sess(sess, STAGING_DEP_GRAPH_FILENAME)
140+
}
137141
pub fn dep_graph_path_from(incr_comp_session_dir: &Path) -> PathBuf {
138142
in_incr_comp_dir(incr_comp_session_dir, DEP_GRAPH_FILENAME)
139143
}

compiler/rustc_incremental/src/persist/load.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@ use rustc_hir::definitions::Definitions;
55
use rustc_middle::dep_graph::{PreviousDepGraph, SerializedDepGraph, WorkProduct, WorkProductId};
66
use rustc_middle::ty::query::OnDiskCache;
77
use rustc_serialize::opaque::Decoder;
8-
use rustc_serialize::Decodable as RustcDecodable;
8+
use rustc_serialize::Decodable;
99
use rustc_session::Session;
1010
use std::path::Path;
1111

@@ -120,7 +120,7 @@ pub fn load_dep_graph(sess: &Session) -> DepGraphFuture {
120120
// Decode the list of work_products
121121
let mut work_product_decoder = Decoder::new(&work_products_data[..], start_pos);
122122
let work_products: Vec<SerializedWorkProduct> =
123-
RustcDecodable::decode(&mut work_product_decoder).unwrap_or_else(|e| {
123+
Decodable::decode(&mut work_product_decoder).unwrap_or_else(|e| {
124124
let msg = format!(
125125
"Error decoding `work-products` from incremental \
126126
compilation session directory: {}",

compiler/rustc_incremental/src/persist/mod.rs

+1
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@ pub use fs::prepare_session_directory;
1818
pub use load::load_query_result_cache;
1919
pub use load::LoadResult;
2020
pub use load::{load_dep_graph, DepGraphFuture};
21+
pub use save::build_dep_graph;
2122
pub use save::save_dep_graph;
2223
pub use save::save_work_product_index;
2324
pub use work_product::copy_cgu_workproduct_to_incr_comp_cache_dir;

compiler/rustc_incremental/src/persist/save.rs

+82-23
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
use rustc_data_structures::fx::FxHashMap;
22
use rustc_data_structures::sync::join;
3-
use rustc_middle::dep_graph::{DepGraph, WorkProduct, WorkProductId};
3+
use rustc_middle::dep_graph::{DepGraph, PreviousDepGraph, WorkProduct, WorkProductId};
44
use rustc_middle::ty::TyCtxt;
55
use rustc_serialize::opaque::{FileEncodeResult, FileEncoder};
66
use rustc_serialize::Encodable as RustcEncodable;
@@ -15,6 +15,9 @@ use super::file_format;
1515
use super::fs::*;
1616
use super::work_product;
1717

18+
/// Save and dump the DepGraph.
19+
///
20+
/// No query must be invoked after this function.
1821
pub fn save_dep_graph(tcx: TyCtxt<'_>) {
1922
debug!("save_dep_graph()");
2023
tcx.dep_graph.with_ignore(|| {
@@ -29,23 +32,41 @@ pub fn save_dep_graph(tcx: TyCtxt<'_>) {
2932

3033
let query_cache_path = query_cache_path(sess);
3134
let dep_graph_path = dep_graph_path(sess);
35+
let staging_dep_graph_path = staging_dep_graph_path(sess);
36+
37+
sess.time("assert_dep_graph", || crate::assert_dep_graph(tcx));
38+
sess.time("check_dirty_clean", || dirty_clean::check_dirty_clean_annotations(tcx));
39+
40+
if sess.opts.debugging_opts.incremental_info {
41+
tcx.dep_graph.print_incremental_info()
42+
}
3243

3344
join(
3445
move || {
3546
sess.time("incr_comp_persist_result_cache", || {
3647
save_in(sess, query_cache_path, "query cache", |e| encode_query_cache(tcx, e));
3748
});
3849
},
39-
|| {
50+
move || {
4051
sess.time("incr_comp_persist_dep_graph", || {
41-
save_in(sess, dep_graph_path, "dependency graph", |e| {
42-
sess.time("incr_comp_encode_dep_graph", || encode_dep_graph(tcx, e))
43-
});
52+
if let Err(err) = tcx.dep_graph.encode(&tcx.sess.prof) {
53+
sess.err(&format!(
54+
"failed to write dependency graph to `{}`: {}",
55+
staging_dep_graph_path.display(),
56+
err
57+
));
58+
}
59+
if let Err(err) = fs::rename(&staging_dep_graph_path, &dep_graph_path) {
60+
sess.err(&format!(
61+
"failed to move dependency graph from `{}` to `{}`: {}",
62+
staging_dep_graph_path.display(),
63+
dep_graph_path.display(),
64+
err
65+
));
66+
}
4467
});
4568
},
4669
);
47-
48-
dirty_clean::check_dirty_clean_annotations(tcx);
4970
})
5071
}
5172

@@ -92,7 +113,7 @@ pub fn save_work_product_index(
92113
});
93114
}
94115

95-
fn save_in<F>(sess: &Session, path_buf: PathBuf, name: &str, encode: F)
116+
pub(crate) fn save_in<F>(sess: &Session, path_buf: PathBuf, name: &str, encode: F)
96117
where
97118
F: FnOnce(&mut FileEncoder) -> FileEncodeResult,
98119
{
@@ -144,21 +165,6 @@ where
144165
debug!("save: data written to disk successfully");
145166
}
146167

147-
fn encode_dep_graph(tcx: TyCtxt<'_>, encoder: &mut FileEncoder) -> FileEncodeResult {
148-
// First encode the commandline arguments hash
149-
tcx.sess.opts.dep_tracking_hash().encode(encoder)?;
150-
151-
if tcx.sess.opts.debugging_opts.incremental_info {
152-
tcx.dep_graph.print_incremental_info();
153-
}
154-
155-
// There is a tiny window between printing the incremental info above and encoding the dep
156-
// graph below in which the dep graph could change, thus making the printed incremental info
157-
// slightly out of date. If this matters to you, please feel free to submit a patch. :)
158-
159-
tcx.sess.time("incr_comp_encode_serialized_dep_graph", || tcx.dep_graph.encode(encoder))
160-
}
161-
162168
fn encode_work_product_index(
163169
work_products: &FxHashMap<WorkProductId, WorkProduct>,
164170
encoder: &mut FileEncoder,
@@ -177,3 +183,56 @@ fn encode_work_product_index(
177183
fn encode_query_cache(tcx: TyCtxt<'_>, encoder: &mut FileEncoder) -> FileEncodeResult {
178184
tcx.sess.time("incr_comp_serialize_result_cache", || tcx.serialize_query_result_cache(encoder))
179185
}
186+
187+
pub fn build_dep_graph(
188+
sess: &Session,
189+
prev_graph: PreviousDepGraph,
190+
prev_work_products: FxHashMap<WorkProductId, WorkProduct>,
191+
) -> Option<DepGraph> {
192+
if sess.opts.incremental.is_none() {
193+
// No incremental compilation.
194+
return None;
195+
}
196+
197+
// Stream the dep-graph to an alternate file, to avoid overwriting anything in case of errors.
198+
let path_buf = staging_dep_graph_path(sess);
199+
200+
let mut encoder = match FileEncoder::new(&path_buf) {
201+
Ok(encoder) => encoder,
202+
Err(err) => {
203+
sess.err(&format!(
204+
"failed to create dependency graph at `{}`: {}",
205+
path_buf.display(),
206+
err
207+
));
208+
return None;
209+
}
210+
};
211+
212+
if let Err(err) = file_format::write_file_header(&mut encoder, sess.is_nightly_build()) {
213+
sess.err(&format!(
214+
"failed to write dependency graph header to `{}`: {}",
215+
path_buf.display(),
216+
err
217+
));
218+
return None;
219+
}
220+
221+
// First encode the commandline arguments hash
222+
if let Err(err) = sess.opts.dep_tracking_hash().encode(&mut encoder) {
223+
sess.err(&format!(
224+
"failed to write dependency graph hash `{}`: {}",
225+
path_buf.display(),
226+
err
227+
));
228+
return None;
229+
}
230+
231+
Some(DepGraph::new(
232+
prev_graph,
233+
prev_work_products,
234+
encoder,
235+
sess.opts.debugging_opts.query_dep_graph,
236+
sess.opts.debugging_opts.incremental_info,
237+
))
238+
}

compiler/rustc_interface/src/passes.rs

-3
Original file line numberDiff line numberDiff line change
@@ -1021,9 +1021,6 @@ pub fn start_codegen<'tcx>(
10211021
rustc_symbol_mangling::test::report_symbol_names(tcx);
10221022
}
10231023

1024-
tcx.sess.time("assert_dep_graph", || rustc_incremental::assert_dep_graph(tcx));
1025-
tcx.sess.time("serialize_dep_graph", || rustc_incremental::save_dep_graph(tcx));
1026-
10271024
info!("Post-codegen\n{:?}", tcx.debug_stats());
10281025

10291026
if tcx.sess.opts.output_types.contains_key(&OutputType::Mir) {

compiler/rustc_interface/src/queries.rs

+10-1
Original file line numberDiff line numberDiff line change
@@ -207,7 +207,13 @@ impl<'tcx> Queries<'tcx> {
207207
})
208208
.open(self.session())
209209
});
210-
DepGraph::new(prev_graph, prev_work_products)
210+
211+
rustc_incremental::build_dep_graph(
212+
self.session(),
213+
prev_graph,
214+
prev_work_products,
215+
)
216+
.unwrap_or_else(DepGraph::new_disabled)
211217
}
212218
})
213219
})
@@ -435,6 +441,9 @@ impl Compiler {
435441
if self.session().opts.debugging_opts.query_stats {
436442
gcx.enter(rustc_query_impl::print_stats);
437443
}
444+
445+
self.session()
446+
.time("serialize_dep_graph", || gcx.enter(rustc_incremental::save_dep_graph));
438447
}
439448

440449
_timer = Some(self.session().timer("free_global_ctxt"));

compiler/rustc_middle/src/dep_graph/mod.rs

+3-2
Original file line numberDiff line numberDiff line change
@@ -8,8 +8,8 @@ use rustc_session::Session;
88
mod dep_node;
99

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

1515
crate use dep_node::make_compile_codegen_unit;
@@ -20,6 +20,7 @@ pub type TaskDeps = rustc_query_system::dep_graph::TaskDeps<DepKind>;
2020
pub type DepGraphQuery = rustc_query_system::dep_graph::DepGraphQuery<DepKind>;
2121
pub type PreviousDepGraph = rustc_query_system::dep_graph::PreviousDepGraph<DepKind>;
2222
pub type SerializedDepGraph = rustc_query_system::dep_graph::SerializedDepGraph<DepKind>;
23+
pub type EdgeFilter = rustc_query_system::dep_graph::debug::EdgeFilter<DepKind>;
2324

2425
impl rustc_query_system::dep_graph::DepKind for DepKind {
2526
const NULL: Self = DepKind::Null;

compiler/rustc_query_impl/src/plumbing.rs

+1-4
Original file line numberDiff line numberDiff line change
@@ -477,10 +477,7 @@ macro_rules! define_queries {
477477
return
478478
}
479479

480-
debug_assert!(tcx.dep_graph
481-
.node_color(dep_node)
482-
.map(|c| c.is_green())
483-
.unwrap_or(false));
480+
debug_assert!(tcx.dep_graph.is_green(dep_node));
484481

485482
let key = recover(*tcx, dep_node).unwrap_or_else(|| panic!("Failed to recover key for {:?} with hash {}", dep_node, dep_node.hash));
486483
if queries::$name::cache_on_disk(tcx, &key, None) {

0 commit comments

Comments
 (0)