1//! This module manages how the incremental compilation cache is represented in
2//! the file system.
3//!
4//! Incremental compilation caches are managed according to a copy-on-write
5//! strategy: Once a complete, consistent cache version is finalized, it is
6//! never modified. Instead, when a subsequent compilation session is started,
7//! the compiler will allocate a new version of the cache that starts out as
8//! a copy of the previous version. Then only this new copy is modified and it
9//! will not be visible to other processes until it is finalized. This ensures
10//! that multiple compiler processes can be executed concurrently for the same
11//! crate without interfering with each other or blocking each other.
12//!
13//! More concretely this is implemented via the following protocol:
14//!
15//! 1. For a newly started compilation session, the compiler allocates a
16//! new `session` directory within the incremental compilation directory.
17//! This session directory will have a unique name that ends with the suffix
18//! "-working" and that contains a creation timestamp.
19//! 2. Next, the compiler looks for the newest finalized session directory,
20//! that is, a session directory from a previous compilation session that
21//! has been marked as valid and consistent. A session directory is
22//! considered finalized if the "-working" suffix in the directory name has
23//! been replaced by the SVH of the crate.
24//! 3. Once the compiler has found a valid, finalized session directory, it will
25//! hard-link/copy its contents into the new "-working" directory. If all
26//! goes well, it will have its own, private copy of the source directory and
27//! subsequently not have to worry about synchronizing with other compiler
28//! processes.
29//! 4. Now the compiler can do its normal compilation process, which involves
30//! reading and updating its private session directory.
31//! 5. When compilation finishes without errors, the private session directory
32//! will be in a state where it can be used as input for other compilation
33//! sessions. That is, it will contain a dependency graph and cache artifacts
34//! that are consistent with the state of the source code it was compiled
35//! from, with no need to change them ever again. At this point, the compiler
36//! finalizes and "publishes" its private session directory by renaming it
37//! from "s-{timestamp}-{random}-working" to "s-{timestamp}-{SVH}".
38//! 6. At this point the "old" session directory that we copied our data from
39//! at the beginning of the session has become obsolete because we have just
40//! published a more current version. Thus the compiler will delete it.
41//!
42//! ## Garbage Collection
43//!
44//! Naively following the above protocol might lead to old session directories
45//! piling up if a compiler instance crashes for some reason before its able to
46//! remove its private session directory. In order to avoid wasting disk space,
47//! the compiler also does some garbage collection each time it is started in
48//! incremental compilation mode. Specifically, it will scan the incremental
49//! compilation directory for private session directories that are not in use
50//! any more and will delete those. It will also delete any finalized session
51//! directories for a given crate except for the most recent one.
52//!
53//! ## Synchronization
54//!
55//! There is some synchronization needed in order for the compiler to be able to
56//! determine whether a given private session directory is not in use any more.
57//! This is done by creating a lock file for each session directory and
58//! locking it while the directory is still being used. Since file locks have
59//! operating system support, we can rely on the lock being released if the
60//! compiler process dies for some unexpected reason. Thus, when garbage
61//! collecting private session directories, the collecting process can determine
62//! whether the directory is still in use by trying to acquire a lock on the
63//! file. If locking the file fails, the original process must still be alive.
64//! If locking the file succeeds, we know that the owning process is not alive
65//! any more and we can safely delete the directory.
66//! There is still a small time window between the original process creating the
67//! lock file and actually locking it. In order to minimize the chance that
68//! another process tries to acquire the lock in just that instance, only
69//! session directories that are older than a few seconds are considered for
70//! garbage collection.
71//!
72//! Another case that has to be considered is what happens if one process
73//! deletes a finalized session directory that another process is currently
74//! trying to copy from. This case is also handled via the lock file. Before
75//! a process starts copying a finalized session directory, it will acquire a
76//! shared lock on the directory's lock file. Any garbage collecting process,
77//! on the other hand, will acquire an exclusive lock on the lock file.
78//! Thus, if a directory is being collected, any reader process will fail
79//! acquiring the shared lock and will leave the directory alone. Conversely,
80//! if a collecting process can't acquire the exclusive lock because the
81//! directory is currently being read from, it will leave collecting that
82//! directory to another process at a later point in time.
83//! The exact same scheme is also used when reading the metadata hashes file
84//! from an extern crate. When a crate is compiled, the hash values of its
85//! metadata are stored in a file in its session directory. When the
86//! compilation session of another crate imports the first crate's metadata,
87//! it also has to read in the accompanying metadata hashes. It thus will access
88//! the finalized session directory of all crates it links to and while doing
89//! so, it will also place a read lock on that the respective session directory
90//! so that it won't be deleted while the metadata hashes are loaded.
91//!
92//! ## Preconditions
93//!
94//! This system relies on two features being available in the file system in
95//! order to work really well: file locking and hard linking.
96//! If hard linking is not available (like on FAT) the data in the cache
97//! actually has to be copied at the beginning of each session.
98//! If file locking does not work reliably (like on NFS), some of the
99//! synchronization will go haywire.
100//! In both cases we recommend to locate the incremental compilation directory
101//! on a file system that supports these things.
102//! It might be a good idea though to try and detect whether we are on an
103//! unsupported file system and emit a warning in that case. This is not yet
104//! implemented.
105106use std::fsas std_fs;
107use std::io::{self, ErrorKind};
108use std::path::{Path, PathBuf};
109use std::time::{Duration, SystemTime, UNIX_EPOCH};
110111use rand::{RngCore, rng};
112use rustc_data_structures::base_n::{BaseNString, CASE_INSENSITIVE, ToBaseN};
113use rustc_data_structures::fx::{FxHashSet, FxIndexSet};
114use rustc_data_structures::svh::Svh;
115use rustc_data_structures::unord::{UnordMap, UnordSet};
116use rustc_data_structures::{base_n, flock};
117use rustc_fs_util::{LinkOrCopy, link_or_copy, try_canonicalize};
118use rustc_middle::bug;
119use rustc_session::{Session, StableCrateId};
120use rustc_span::Symbol;
121use tracing::debug;
122123use crate::errors;
124125#[cfg(test)]
126mod tests;
127128const LOCK_FILE_EXT: &str = ".lock";
129const DEP_GRAPH_FILENAME: &str = "dep-graph.bin";
130const STAGING_DEP_GRAPH_FILENAME: &str = "dep-graph.part.bin";
131const WORK_PRODUCTS_FILENAME: &str = "work-products.bin";
132const QUERY_CACHE_FILENAME: &str = "query-cache.bin";
133134// We encode integers using the following base, so they are shorter than decimal
135// or hexadecimal numbers (we want short file and directory names). Since these
136// numbers will be used in file names, we choose an encoding that is not
137// case-sensitive (as opposed to base64, for example).
138const INT_ENCODE_BASE: usize = base_n::CASE_INSENSITIVE;
139140/// Returns the path to a session's dependency graph.
141pub(crate) fn dep_graph_path(sess: &Session) -> PathBuf {
142in_incr_comp_dir_sess(sess, DEP_GRAPH_FILENAME)
143}
144145/// Returns the path to a session's staging dependency graph.
146///
147/// On the difference between dep-graph and staging dep-graph,
148/// see `build_dep_graph`.
149pub(crate) fn staging_dep_graph_path(sess: &Session) -> PathBuf {
150in_incr_comp_dir_sess(sess, STAGING_DEP_GRAPH_FILENAME)
151}
152153pub(crate) fn work_products_path(sess: &Session) -> PathBuf {
154in_incr_comp_dir_sess(sess, WORK_PRODUCTS_FILENAME)
155}
156157/// Returns the path to a session's query cache.
158pub(crate) fn query_cache_path(sess: &Session) -> PathBuf {
159in_incr_comp_dir_sess(sess, QUERY_CACHE_FILENAME)
160}
161162/// Locks a given session directory.
163fn lock_file_path(session_dir: &Path) -> PathBuf {
164let crate_dir = session_dir.parent().unwrap();
165166let directory_name = session_dir167 .file_name()
168 .unwrap()
169 .to_str()
170 .expect("malformed session dir name: contains non-Unicode characters");
171172let dash_indices: Vec<_> = directory_name.match_indices('-').map(|(idx, _)| idx).collect();
173if dash_indices.len() != 3 {
174::rustc_middle::util::bug::bug_fmt(format_args!("Encountered incremental compilation session directory with malformed name: {0}",
session_dir.display()))bug!(
175"Encountered incremental compilation session directory with \
176 malformed name: {}",
177 session_dir.display()
178 )179 }
180181crate_dir.join(&directory_name[0..dash_indices[2]]).with_extension(&LOCK_FILE_EXT[1..])
182}
183184/// Returns the path for a given filename within the incremental compilation directory
185/// in the current session.
186pub fn in_incr_comp_dir_sess(sess: &Session, file_name: &str) -> PathBuf {
187in_incr_comp_dir(&sess.incr_comp_session_dir(), file_name)
188}
189190/// Returns the path for a given filename within the incremental compilation directory,
191/// not necessarily from the current session.
192///
193/// To ensure the file is part of the current session, use [`in_incr_comp_dir_sess`].
194pub fn in_incr_comp_dir(incr_comp_session_dir: &Path, file_name: &str) -> PathBuf {
195incr_comp_session_dir.join(file_name)
196}
197198/// Allocates the private session directory.
199///
200/// If the result of this function is `Ok`, we have a valid incremental
201/// compilation session directory. A valid session
202/// directory is one that contains a locked lock file. It may or may not contain
203/// a dep-graph and work products from a previous session.
204///
205/// This always attempts to load a dep-graph from the directory.
206/// If loading fails for some reason, we fallback to a disabled `DepGraph`.
207/// See [`rustc_interface::queries::dep_graph`].
208///
209/// If this function returns an error, it may leave behind an invalid session directory.
210/// The garbage collection will take care of it.
211///
212/// [`rustc_interface::queries::dep_graph`]: ../../rustc_interface/struct.Queries.html#structfield.dep_graph
213pub(crate) fn prepare_session_directory(
214 sess: &Session,
215 crate_name: Symbol,
216 stable_crate_id: StableCrateId,
217) {
218if !sess.opts.incremental.is_some() {
::core::panicking::panic("assertion failed: sess.opts.incremental.is_some()")
};assert!(sess.opts.incremental.is_some());
219220let _timer = sess.timer("incr_comp_prepare_session_directory");
221222{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:222",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(222u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("prepare_session_directory")
as &dyn Value))])
});
} else { ; }
};debug!("prepare_session_directory");
223224// {incr-comp-dir}/{crate-name-and-disambiguator}
225let crate_dir = crate_path(sess, crate_name, stable_crate_id);
226{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:226",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(226u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("crate-dir: {0}",
crate_dir.display()) as &dyn Value))])
});
} else { ; }
};debug!("crate-dir: {}", crate_dir.display());
227create_dir(sess, &crate_dir, "crate");
228229// Hack: canonicalize the path *after creating the directory*
230 // because, on windows, long paths can cause problems;
231 // canonicalization inserts this weird prefix that makes windows
232 // tolerate long paths.
233let crate_dir = match try_canonicalize(&crate_dir) {
234Ok(v) => v,
235Err(err) => {
236sess.dcx().emit_fatal(errors::CanonicalizePath { path: crate_dir, err });
237 }
238 };
239240let mut source_directories_already_tried = FxHashSet::default();
241242loop {
243// Generate a session directory of the form:
244 //
245 // {incr-comp-dir}/{crate-name-and-disambiguator}/s-{timestamp}-{random}-working
246let session_dir = generate_session_dir_path(&crate_dir);
247{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:247",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(247u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("session-dir: {0}",
session_dir.display()) as &dyn Value))])
});
} else { ; }
};debug!("session-dir: {}", session_dir.display());
248249// Lock the new session directory. If this fails, return an
250 // error without retrying
251let (directory_lock, lock_file_path) = lock_directory(sess, &session_dir);
252253// Now that we have the lock, we can actually create the session
254 // directory
255create_dir(sess, &session_dir, "session");
256257// Find a suitable source directory to copy from. Ignore those that we
258 // have already tried before.
259let source_directory = find_source_directory(&crate_dir, &source_directories_already_tried);
260261let Some(source_directory) = source_directoryelse {
262// There's nowhere to copy from, we're done
263{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:263",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(263u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("no source directory found. Continuing with empty session directory.")
as &dyn Value))])
});
} else { ; }
};debug!(
264"no source directory found. Continuing with empty session \
265 directory."
266);
267268sess.init_incr_comp_session(session_dir, directory_lock);
269return;
270 };
271272{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:272",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(272u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("attempting to copy data from source: {0}",
source_directory.display()) as &dyn Value))])
});
} else { ; }
};debug!("attempting to copy data from source: {}", source_directory.display());
273274// Try copying over all files from the source directory
275if let Ok(allows_links) = copy_files(sess, &session_dir, &source_directory) {
276{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:276",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(276u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("successfully copied data from: {0}",
source_directory.display()) as &dyn Value))])
});
} else { ; }
};debug!("successfully copied data from: {}", source_directory.display());
277278if !allows_links {
279sess.dcx().emit_warn(errors::HardLinkFailed { path: &session_dir });
280 }
281282sess.init_incr_comp_session(session_dir, directory_lock);
283return;
284 } else {
285{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:285",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(285u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("copying failed - trying next directory")
as &dyn Value))])
});
} else { ; }
};debug!("copying failed - trying next directory");
286287// Something went wrong while trying to copy/link files from the
288 // source directory. Try again with a different one.
289source_directories_already_tried.insert(source_directory);
290291// Try to remove the session directory we just allocated. We don't
292 // know if there's any garbage in it from the failed copy action.
293if let Err(err) = std_fs::remove_dir_all(&session_dir) {
294sess.dcx().emit_warn(errors::DeletePartial { path: &session_dir, err });
295 }
296297delete_session_dir_lock_file(sess, &lock_file_path);
298drop(directory_lock);
299 }
300 }
301}
302303/// This function finalizes and thus 'publishes' the session directory by
304/// renaming it to `s-{timestamp}-{svh}` and releasing the file lock.
305/// If there have been compilation errors, however, this function will just
306/// delete the presumably invalid session directory.
307pub fn finalize_session_directory(sess: &Session, svh: Option<Svh>) {
308if sess.opts.incremental.is_none() {
309return;
310 }
311// The svh is always produced when incr. comp. is enabled.
312let svh = svh.unwrap();
313314let _timer = sess.timer("incr_comp_finalize_session_directory");
315316let incr_comp_session_dir: PathBuf = sess.incr_comp_session_dir().clone();
317318if sess.dcx().has_errors_or_delayed_bugs().is_some() {
319// If there have been any errors during compilation, we don't want to
320 // publish this session directory. Rather, we'll just delete it.
321322{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:322",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(322u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("finalize_session_directory() - invalidating session directory: {0}",
incr_comp_session_dir.display()) as &dyn Value))])
});
} else { ; }
};debug!(
323"finalize_session_directory() - invalidating session directory: {}",
324 incr_comp_session_dir.display()
325 );
326327if let Err(err) = std_fs::remove_dir_all(&*incr_comp_session_dir) {
328sess.dcx().emit_warn(errors::DeleteFull { path: &incr_comp_session_dir, err });
329 }
330331let lock_file_path = lock_file_path(&*incr_comp_session_dir);
332delete_session_dir_lock_file(sess, &lock_file_path);
333sess.mark_incr_comp_session_as_invalid();
334 }
335336{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:336",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(336u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("finalize_session_directory() - session directory: {0}",
incr_comp_session_dir.display()) as &dyn Value))])
});
} else { ; }
};debug!("finalize_session_directory() - session directory: {}", incr_comp_session_dir.display());
337338let mut sub_dir_name = incr_comp_session_dir339 .file_name()
340 .unwrap()
341 .to_str()
342 .expect("malformed session dir name: contains non-Unicode characters")
343 .to_string();
344345// Keep the 's-{timestamp}-{random-number}' prefix, but replace "working" with the SVH of the crate
346sub_dir_name.truncate(sub_dir_name.len() - "working".len());
347// Double-check that we kept this: "s-{timestamp}-{random-number}-"
348if !sub_dir_name.ends_with('-') {
{ ::core::panicking::panic_fmt(format_args!("{0:?}", sub_dir_name)); }
};assert!(sub_dir_name.ends_with('-'), "{:?}", sub_dir_name);
349if !(sub_dir_name.as_bytes().iter().filter(|b| **b == b'-').count() == 3) {
::core::panicking::panic("assertion failed: sub_dir_name.as_bytes().iter().filter(|b| **b == b\'-\').count() == 3")
};assert!(sub_dir_name.as_bytes().iter().filter(|b| **b == b'-').count() == 3);
350351// Append the SVH
352sub_dir_name.push_str(&svh.as_u128().to_base_fixed_len(CASE_INSENSITIVE));
353354// Create the full path
355let new_path = incr_comp_session_dir.parent().unwrap().join(&*sub_dir_name);
356{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:356",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(356u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("finalize_session_directory() - new path: {0}",
new_path.display()) as &dyn Value))])
});
} else { ; }
};debug!("finalize_session_directory() - new path: {}", new_path.display());
357358match rename_path_with_retry(&*incr_comp_session_dir, &new_path, 3) {
359Ok(_) => {
360{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:360",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(360u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("finalize_session_directory() - directory renamed successfully")
as &dyn Value))])
});
} else { ; }
};debug!("finalize_session_directory() - directory renamed successfully");
361362// This unlocks the directory
363sess.finalize_incr_comp_session(new_path);
364 }
365Err(e) => {
366// Warn about the error. However, no need to abort compilation now.
367sess.dcx().emit_note(errors::Finalize { path: &incr_comp_session_dir, err: e });
368369{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:369",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(369u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("finalize_session_directory() - error, marking as invalid")
as &dyn Value))])
});
} else { ; }
};debug!("finalize_session_directory() - error, marking as invalid");
370// Drop the file lock, so we can garage collect
371sess.mark_incr_comp_session_as_invalid();
372 }
373 }
374375let _ = garbage_collect_session_directories(sess);
376}
377378pub(crate) fn delete_all_session_dir_contents(sess: &Session) -> io::Result<()> {
379let sess_dir_iterator = sess.incr_comp_session_dir().read_dir()?;
380for entry in sess_dir_iterator {
381let entry = entry?;
382 safe_remove_file(&entry.path())?
383}
384Ok(())
385}
386387fn copy_files(sess: &Session, target_dir: &Path, source_dir: &Path) -> Result<bool, ()> {
388// We acquire a shared lock on the lock file of the directory, so that
389 // nobody deletes it out from under us while we are reading from it.
390let lock_file_path = lock_file_path(source_dir);
391392// not exclusive
393let Ok(_lock) = flock::Lock::new(
394&lock_file_path,
395false, // don't wait,
396false, // don't create
397false,
398 ) else {
399// Could not acquire the lock, don't try to copy from here
400return Err(());
401 };
402403let Ok(source_dir_iterator) = source_dir.read_dir() else {
404return Err(());
405 };
406407let mut files_linked = 0;
408let mut files_copied = 0;
409410for entry in source_dir_iterator {
411match entry {
412Ok(entry) => {
413let file_name = entry.file_name();
414415let target_file_path = target_dir.join(file_name);
416let source_path = entry.path();
417418{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:418",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(418u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("copying into session dir: {0}",
source_path.display()) as &dyn Value))])
});
} else { ; }
};debug!("copying into session dir: {}", source_path.display());
419match link_or_copy(source_path, target_file_path) {
420Ok(LinkOrCopy::Link) => files_linked += 1,
421Ok(LinkOrCopy::Copy) => files_copied += 1,
422Err(_) => return Err(()),
423 }
424 }
425Err(_) => return Err(()),
426 }
427 }
428429if sess.opts.unstable_opts.incremental_info {
430{
::std::io::_eprint(format_args!("[incremental] session directory: {0} files hard-linked\n",
files_linked));
};eprintln!(
431"[incremental] session directory: \
432 {files_linked} files hard-linked"
433);
434{
::std::io::_eprint(format_args!("[incremental] session directory: {0} files copied\n",
files_copied));
};eprintln!(
435"[incremental] session directory: \
436 {files_copied} files copied"
437);
438 }
439440Ok(files_linked > 0 || files_copied == 0)
441}
442443/// Generates unique directory path of the form:
444/// {crate_dir}/s-{timestamp}-{random-number}-working
445fn generate_session_dir_path(crate_dir: &Path) -> PathBuf {
446let timestamp = timestamp_to_string(SystemTime::now());
447{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:447",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(447u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("generate_session_dir_path: timestamp = {0}",
timestamp) as &dyn Value))])
});
} else { ; }
};debug!("generate_session_dir_path: timestamp = {}", timestamp);
448let random_number = rng().next_u32();
449{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:449",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(449u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("generate_session_dir_path: random_number = {0}",
random_number) as &dyn Value))])
});
} else { ; }
};debug!("generate_session_dir_path: random_number = {}", random_number);
450451// Chop the first 3 characters off the timestamp. Those 3 bytes will be zero for a while.
452let (zeroes, timestamp) = timestamp.split_at(3);
453match (&zeroes, &"000") {
(left_val, right_val) => {
if !(*left_val == *right_val) {
let kind = ::core::panicking::AssertKind::Eq;
::core::panicking::assert_failed(kind, &*left_val, &*right_val,
::core::option::Option::None);
}
}
};assert_eq!(zeroes, "000");
454let directory_name =
455::alloc::__export::must_use({
::alloc::fmt::format(format_args!("s-{0}-{1}-working", timestamp,
random_number.to_base_fixed_len(CASE_INSENSITIVE)))
})format!("s-{}-{}-working", timestamp, random_number.to_base_fixed_len(CASE_INSENSITIVE));
456{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:456",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(456u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("generate_session_dir_path: directory_name = {0}",
directory_name) as &dyn Value))])
});
} else { ; }
};debug!("generate_session_dir_path: directory_name = {}", directory_name);
457let directory_path = crate_dir.join(directory_name);
458{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:458",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(458u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("generate_session_dir_path: directory_path = {0}",
directory_path.display()) as &dyn Value))])
});
} else { ; }
};debug!("generate_session_dir_path: directory_path = {}", directory_path.display());
459directory_path460}
461462fn create_dir(sess: &Session, path: &Path, dir_tag: &str) {
463match std_fs::create_dir_all(path) {
464Ok(()) => {
465{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:465",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(465u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("{0} directory created successfully",
dir_tag) as &dyn Value))])
});
} else { ; }
};debug!("{} directory created successfully", dir_tag);
466 }
467Err(err) => sess.dcx().emit_fatal(errors::CreateIncrCompDir { tag: dir_tag, path, err }),
468 }
469}
470471/// Allocate the lock-file and lock it.
472fn lock_directory(sess: &Session, session_dir: &Path) -> (flock::Lock, PathBuf) {
473let lock_file_path = lock_file_path(session_dir);
474{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:474",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(474u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("lock_directory() - lock_file: {0}",
lock_file_path.display()) as &dyn Value))])
});
} else { ; }
};debug!("lock_directory() - lock_file: {}", lock_file_path.display());
475476match flock::Lock::new(
477&lock_file_path,
478false, // don't wait
479true, // create the lock file
480true,
481 ) {
482// the lock should be exclusive
483Ok(lock) => (lock, lock_file_path),
484Err(lock_err) => {
485let is_unsupported_lock = flock::Lock::error_unsupported(&lock_err);
486sess.dcx().emit_fatal(errors::CreateLock {
487lock_err,
488session_dir,
489is_unsupported_lock,
490 is_cargo: rustc_session::utils::was_invoked_from_cargo(),
491 });
492 }
493 }
494}
495496fn delete_session_dir_lock_file(sess: &Session, lock_file_path: &Path) {
497if let Err(err) = safe_remove_file(lock_file_path) {
498sess.dcx().emit_warn(errors::DeleteLock { path: lock_file_path, err });
499 }
500}
501502/// Finds the most recent published session directory that is not in the
503/// ignore-list.
504fn find_source_directory(
505 crate_dir: &Path,
506 source_directories_already_tried: &FxHashSet<PathBuf>,
507) -> Option<PathBuf> {
508let iter = crate_dir509 .read_dir()
510 .unwrap() // FIXME
511.filter_map(|e| e.ok().map(|e| e.path()));
512513find_source_directory_in_iter(iter, source_directories_already_tried)
514}
515516fn find_source_directory_in_iter<I>(
517 iter: I,
518 source_directories_already_tried: &FxHashSet<PathBuf>,
519) -> Option<PathBuf>
520where
521I: Iterator<Item = PathBuf>,
522{
523let mut best_candidate = (UNIX_EPOCH, None);
524525for session_dir in iter {
526{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:526",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(526u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("find_source_directory_in_iter - inspecting `{0}`",
session_dir.display()) as &dyn Value))])
});
} else { ; }
};debug!("find_source_directory_in_iter - inspecting `{}`", session_dir.display());
527528let Some(directory_name) = session_dir.file_name().unwrap().to_str() else {
529{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:529",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(529u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("find_source_directory_in_iter - ignoring")
as &dyn Value))])
});
} else { ; }
};debug!("find_source_directory_in_iter - ignoring");
530continue;
531 };
532533if source_directories_already_tried.contains(&session_dir)
534 || !is_session_directory(&directory_name)
535 || !is_finalized(&directory_name)
536 {
537{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:537",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(537u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("find_source_directory_in_iter - ignoring")
as &dyn Value))])
});
} else { ; }
};debug!("find_source_directory_in_iter - ignoring");
538continue;
539 }
540541let timestamp = match extract_timestamp_from_session_dir(&directory_name) {
542Ok(timestamp) => timestamp,
543Err(e) => {
544{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:544",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(544u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("unexpected incr-comp session dir: {0}: {1}",
session_dir.display(), e) as &dyn Value))])
});
} else { ; }
};debug!("unexpected incr-comp session dir: {}: {}", session_dir.display(), e);
545continue;
546 }
547 };
548549if timestamp > best_candidate.0 {
550 best_candidate = (timestamp, Some(session_dir.clone()));
551 }
552 }
553554best_candidate.1
555}
556557fn is_finalized(directory_name: &str) -> bool {
558 !directory_name.ends_with("-working")
559}
560561fn is_session_directory(directory_name: &str) -> bool {
562directory_name.starts_with("s-") && !directory_name.ends_with(LOCK_FILE_EXT)
563}
564565fn is_session_directory_lock_file(file_name: &str) -> bool {
566file_name.starts_with("s-") && file_name.ends_with(LOCK_FILE_EXT)
567}
568569fn extract_timestamp_from_session_dir(directory_name: &str) -> Result<SystemTime, &'static str> {
570if !is_session_directory(directory_name) {
571return Err("not a directory");
572 }
573574let dash_indices: Vec<_> = directory_name.match_indices('-').map(|(idx, _)| idx).collect();
575if dash_indices.len() != 3 {
576return Err("not three dashes in name");
577 }
578579string_to_timestamp(&directory_name[dash_indices[0] + 1..dash_indices[1]])
580}
581582fn timestamp_to_string(timestamp: SystemTime) -> BaseNString {
583let duration = timestamp.duration_since(UNIX_EPOCH).unwrap();
584let micros: u64 = duration.as_micros().try_into().unwrap();
585micros.to_base_fixed_len(CASE_INSENSITIVE)
586}
587588fn string_to_timestamp(s: &str) -> Result<SystemTime, &'static str> {
589let micros_since_unix_epoch = match u64::from_str_radix(s, INT_ENCODE_BASEas u32) {
590Ok(micros) => micros,
591Err(_) => return Err("timestamp not an int"),
592 };
593594let duration = Duration::from_micros(micros_since_unix_epoch);
595Ok(UNIX_EPOCH + duration)
596}
597598fn crate_path(sess: &Session, crate_name: Symbol, stable_crate_id: StableCrateId) -> PathBuf {
599let incr_dir = sess.opts.incremental.as_ref().unwrap().clone();
600601let crate_name =
602::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{1}-{0}",
stable_crate_id.as_u64().to_base_fixed_len(CASE_INSENSITIVE),
crate_name))
})format!("{crate_name}-{}", stable_crate_id.as_u64().to_base_fixed_len(CASE_INSENSITIVE));
603incr_dir.join(crate_name)
604}
605606fn is_old_enough_to_be_collected(timestamp: SystemTime) -> bool {
607timestamp < SystemTime::now() - Duration::from_secs(10)
608}
609610/// Runs garbage collection for the current session.
611pub(crate) fn garbage_collect_session_directories(sess: &Session) -> io::Result<()> {
612{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:612",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(612u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - begin")
as &dyn Value))])
});
} else { ; }
};debug!("garbage_collect_session_directories() - begin");
613614let session_directory = sess.incr_comp_session_dir();
615{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:615",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(615u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - session directory: {0}",
session_directory.display()) as &dyn Value))])
});
} else { ; }
};debug!(
616"garbage_collect_session_directories() - session directory: {}",
617 session_directory.display()
618 );
619620let crate_directory = session_directory.parent().unwrap();
621{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:621",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(621u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - crate directory: {0}",
crate_directory.display()) as &dyn Value))])
});
} else { ; }
};debug!(
622"garbage_collect_session_directories() - crate directory: {}",
623 crate_directory.display()
624 );
625626// First do a pass over the crate directory, collecting lock files and
627 // session directories
628let mut session_directories = FxIndexSet::default();
629let mut lock_files = UnordSet::default();
630631for dir_entry in crate_directory.read_dir()? {
632let Ok(dir_entry) = dir_entry else {
633// Ignore any errors
634continue;
635 };
636637let entry_name = dir_entry.file_name();
638let Some(entry_name) = entry_name.to_str() else {
639continue;
640 };
641642if is_session_directory_lock_file(&entry_name) {
643 lock_files.insert(entry_name.to_string());
644 } else if is_session_directory(&entry_name) {
645 session_directories.insert(entry_name.to_string());
646 } else {
647// This is something we don't know, leave it alone
648}
649 }
650session_directories.sort();
651652// Now map from lock files to session directories
653let lock_file_to_session_dir: UnordMap<String, Option<String>> = lock_files654 .into_items()
655 .map(|lock_file_name| {
656if !lock_file_name.ends_with(LOCK_FILE_EXT) {
::core::panicking::panic("assertion failed: lock_file_name.ends_with(LOCK_FILE_EXT)")
};assert!(lock_file_name.ends_with(LOCK_FILE_EXT));
657let dir_prefix_end = lock_file_name.len() - LOCK_FILE_EXT.len();
658let session_dir = {
659let dir_prefix = &lock_file_name[0..dir_prefix_end];
660session_directories.iter().find(|dir_name| dir_name.starts_with(dir_prefix))
661 };
662 (lock_file_name, session_dir.map(String::clone))
663 })
664 .into();
665666// Delete all lock files, that don't have an associated directory. They must
667 // be some kind of leftover
668for (lock_file_name, directory_name) in
669lock_file_to_session_dir.items().into_sorted_stable_ord()
670 {
671if directory_name.is_none() {
672let Ok(timestamp) = extract_timestamp_from_session_dir(lock_file_name) else {
673{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:673",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(673u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("found lock-file with malformed timestamp: {0}",
crate_directory.join(&lock_file_name).display()) as
&dyn Value))])
});
} else { ; }
};debug!(
674"found lock-file with malformed timestamp: {}",
675 crate_directory.join(&lock_file_name).display()
676 );
677// Ignore it
678continue;
679 };
680681let lock_file_path = crate_directory.join(&*lock_file_name);
682683if is_old_enough_to_be_collected(timestamp) {
684{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:684",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(684u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - deleting garbage lock file: {0}",
lock_file_path.display()) as &dyn Value))])
});
} else { ; }
};debug!(
685"garbage_collect_session_directories() - deleting \
686 garbage lock file: {}",
687 lock_file_path.display()
688 );
689 delete_session_dir_lock_file(sess, &lock_file_path);
690 } else {
691{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:691",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(691u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - lock file with no session dir not old enough to be collected: {0}",
lock_file_path.display()) as &dyn Value))])
});
} else { ; }
};debug!(
692"garbage_collect_session_directories() - lock file with \
693 no session dir not old enough to be collected: {}",
694 lock_file_path.display()
695 );
696 }
697 }
698 }
699700// Filter out `None` directories
701let lock_file_to_session_dir: UnordMap<String, String> = lock_file_to_session_dir702 .into_items()
703 .filter_map(|(lock_file_name, directory_name)| directory_name.map(|n| (lock_file_name, n)))
704 .into();
705706// Delete all session directories that don't have a lock file.
707for directory_name in session_directories {
708if !lock_file_to_session_dir.items().any(|(_, dir)| *dir == directory_name) {
709let path = crate_directory.join(directory_name);
710if let Err(err) = std_fs::remove_dir_all(&path) {
711 sess.dcx().emit_warn(errors::InvalidGcFailed { path: &path, err });
712 }
713 }
714 }
715716let current_session_directory_name =
717session_directory.file_name().expect("session directory is not `..`");
718719// Now garbage collect the valid session directories.
720let deletion_candidates =
721lock_file_to_session_dir.items().filter_map(|(lock_file_name, directory_name)| {
722{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:722",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(722u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - inspecting: {0}",
directory_name) as &dyn Value))])
});
} else { ; }
};debug!("garbage_collect_session_directories() - inspecting: {}", directory_name);
723724if directory_name.as_str() == current_session_directory_name {
725// Skipping our own directory is, unfortunately, important for correctness.
726 //
727 // To summarize #147821: we will try to lock directories before deciding they can be
728 // garbage collected, but the ability of `flock::Lock` to detect a lock held *by the
729 // same process* varies across file locking APIs. Then, if our own session directory
730 // has become old enough to be eligible for GC, we are beholden to platform-specific
731 // details about detecting the our own lock on the session directory.
732 //
733 // POSIX `fcntl(F_SETLK)`-style file locks are maintained across a process. On
734 // systems where this is the mechanism for `flock::Lock`, there is no way to
735 // discover if an `flock::Lock` has been created in the same process on the same
736 // file. Attempting to set a lock on the lockfile again will succeed, even if the
737 // lock was set by another thread, on another file descriptor. Then we would
738 // garbage collect our own live directory, unable to tell it was locked perhaps by
739 // this same thread.
740 //
741 // It's not clear that `flock::Lock` can be fixed for this in general, and our own
742 // incremental session directory is the only one which this process may own, so skip
743 // it here and avoid the problem. We know it's not garbage anyway: we're using it.
744return None;
745 }
746747let Ok(timestamp) = extract_timestamp_from_session_dir(directory_name) else {
748{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:748",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(748u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("found session-dir with malformed timestamp: {0}",
crate_directory.join(directory_name).display()) as
&dyn Value))])
});
} else { ; }
};debug!(
749"found session-dir with malformed timestamp: {}",
750 crate_directory.join(directory_name).display()
751 );
752// Ignore it
753return None;
754 };
755756if is_finalized(directory_name) {
757let lock_file_path = crate_directory.join(lock_file_name);
758match flock::Lock::new(
759&lock_file_path,
760false, // don't wait
761false, // don't create the lock-file
762true,
763 ) {
764// get an exclusive lock
765Ok(lock) => {
766{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:766",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(766u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - successfully acquired lock")
as &dyn Value))])
});
} else { ; }
};debug!(
767"garbage_collect_session_directories() - \
768 successfully acquired lock"
769);
770{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:770",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(770u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - adding deletion candidate: {0}",
directory_name) as &dyn Value))])
});
} else { ; }
};debug!(
771"garbage_collect_session_directories() - adding \
772 deletion candidate: {}",
773 directory_name
774 );
775776// Note that we are holding on to the lock
777return Some((
778 (timestamp, crate_directory.join(directory_name)),
779Some(lock),
780 ));
781 }
782Err(_) => {
783{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:783",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(783u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - not collecting, still in use")
as &dyn Value))])
});
} else { ; }
};debug!(
784"garbage_collect_session_directories() - \
785 not collecting, still in use"
786);
787 }
788 }
789 } else if is_old_enough_to_be_collected(timestamp) {
790// When cleaning out "-working" session directories, i.e.
791 // session directories that might still be in use by another
792 // compiler instance, we only look a directories that are
793 // at least ten seconds old. This is supposed to reduce the
794 // chance of deleting a directory in the time window where
795 // the process has allocated the directory but has not yet
796 // acquired the file-lock on it.
797798 // Try to acquire the directory lock. If we can't, it
799 // means that the owning process is still alive and we
800 // leave this directory alone.
801let lock_file_path = crate_directory.join(lock_file_name);
802match flock::Lock::new(
803&lock_file_path,
804false, // don't wait
805false, // don't create the lock-file
806true,
807 ) {
808// get an exclusive lock
809Ok(lock) => {
810{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:810",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(810u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - successfully acquired lock")
as &dyn Value))])
});
} else { ; }
};debug!(
811"garbage_collect_session_directories() - \
812 successfully acquired lock"
813);
814815delete_old(sess, &crate_directory.join(directory_name));
816817// Let's make it explicit that the file lock is released at this point,
818 // or rather, that we held on to it until here
819drop(lock);
820 }
821Err(_) => {
822{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:822",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(822u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - not collecting, still in use")
as &dyn Value))])
});
} else { ; }
};debug!(
823"garbage_collect_session_directories() - \
824 not collecting, still in use"
825);
826 }
827 }
828 } else {
829{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:829",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(829u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - not finalized, not old enough")
as &dyn Value))])
});
} else { ; }
};debug!(
830"garbage_collect_session_directories() - not finalized, not \
831 old enough"
832);
833 }
834None835 });
836let deletion_candidates = deletion_candidates.into();
837838// Delete all but the most recent of the candidates
839all_except_most_recent(deletion_candidates).into_items().all(|(path, lock)| {
840{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:840",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(840u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - deleting `{0}`",
path.display()) as &dyn Value))])
});
} else { ; }
};debug!("garbage_collect_session_directories() - deleting `{}`", path.display());
841842if let Err(err) = std_fs::remove_dir_all(&path) {
843sess.dcx().emit_warn(errors::FinalizedGcFailed { path: &path, err });
844 } else {
845delete_session_dir_lock_file(sess, &lock_file_path(&path));
846 }
847848// Let's make it explicit that the file lock is released at this point,
849 // or rather, that we held on to it until here
850drop(lock);
851true
852});
853854Ok(())
855}
856857fn delete_old(sess: &Session, path: &Path) {
858{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_incremental/src/persist/fs.rs:858",
"rustc_incremental::persist::fs", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_incremental/src/persist/fs.rs"),
::tracing_core::__macro_support::Option::Some(858u32),
::tracing_core::__macro_support::Option::Some("rustc_incremental::persist::fs"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{
let interest = __CALLSITE.interest();
!interest.is_never() &&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest)
};
if enabled {
(|value_set: ::tracing::field::ValueSet|
{
let meta = __CALLSITE.metadata();
::tracing::Event::dispatch(meta, &value_set);
;
})({
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = __CALLSITE.metadata().fields().iter();
__CALLSITE.metadata().fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&format_args!("garbage_collect_session_directories() - deleting `{0}`",
path.display()) as &dyn Value))])
});
} else { ; }
};debug!("garbage_collect_session_directories() - deleting `{}`", path.display());
859860if let Err(err) = std_fs::remove_dir_all(path) {
861sess.dcx().emit_warn(errors::SessionGcFailed { path, err });
862 } else {
863delete_session_dir_lock_file(sess, &lock_file_path(path));
864 }
865}
866867fn all_except_most_recent(
868 deletion_candidates: UnordMap<(SystemTime, PathBuf), Option<flock::Lock>>,
869) -> UnordMap<PathBuf, Option<flock::Lock>> {
870let most_recent = deletion_candidates.items().map(|(&(timestamp, _), _)| timestamp).max();
871872if let Some(most_recent) = most_recent {
873deletion_candidates874 .into_items()
875 .filter(|&((timestamp, _), _)| timestamp != most_recent)
876 .map(|((_, path), lock)| (path, lock))
877 .collect()
878 } else {
879UnordMap::default()
880 }
881}
882883fn safe_remove_file(p: &Path) -> io::Result<()> {
884match std_fs::remove_file(p) {
885Err(err) if err.kind() == io::ErrorKind::NotFound => Ok(()),
886 result => result,
887 }
888}
889890// On Windows the compiler would sometimes fail to rename the session directory because
891// the OS thought something was still being accessed in it. So we retry a few times to give
892// the OS time to catch up.
893// See https://github.com/rust-lang/rust/issues/86929.
894fn rename_path_with_retry(from: &Path, to: &Path, mut retries_left: usize) -> std::io::Result<()> {
895loop {
896match std_fs::rename(from, to) {
897Ok(()) => return Ok(()),
898Err(e) => {
899if retries_left > 0 && e.kind() == ErrorKind::PermissionDenied {
900// Try again after a short waiting period.
901std::thread::sleep(Duration::from_millis(50));
902retries_left -= 1;
903 } else {
904return Err(e);
905 }
906 }
907 }
908 }
909}