Skip to content

Commit 99ff5af

Browse files
committed
Auto merge of #111329 - jyn514:metadata-ice, r=bjorn3
Load only the crate header for `locator::crate_matches` Previously, we used the following info to determine whether to load the crate: 1. The METADATA_HEADER, which includes a METADATA_VERSION constant 2. The embedded rustc version 3. Various metadata in the `CrateRoot`, including the SVH This worked ok most of the time. Unfortunately, when building locally the rustc version is always the same because `omit-git-hash` is on by default. That meant that we depended only on 1 and 3, and we are not very good about bumping METADATA_VERSION (it's currently at 7) so in practice we were only depending on 3. `CrateRoot` is a very large struct and changes somewhat regularly, so this led to a steady stream of crashes from trying to load it. Change the logic to add an intermediate step between 2 and 3: introduce a new `CrateHeader` struct that contains only the minimum info needed to decide whether the crate should be loaded or not. That avoids having to load all of `CrateRoot`, which in practice means we should crash much less often. Note that this works because the SVH should be different between any two dependencies, even if the compiler has changed, because we use `-Zbinary-dep-depinfo` in bootstrap. See #111329 (comment) for more details about how the original crash happened.
2 parents 70e04bd + 60e95e7 commit 99ff5af

File tree

6 files changed

+64
-34
lines changed

6 files changed

+64
-34
lines changed

compiler/rustc_metadata/src/locator.rs

+8-9
Original file line numberDiff line numberDiff line change
@@ -666,31 +666,30 @@ impl<'a> CrateLocator<'a> {
666666
return None;
667667
}
668668

669-
let root = metadata.get_root();
670-
if root.is_proc_macro_crate() != self.is_proc_macro {
669+
let header = metadata.get_header();
670+
if header.is_proc_macro_crate != self.is_proc_macro {
671671
info!(
672672
"Rejecting via proc macro: expected {} got {}",
673-
self.is_proc_macro,
674-
root.is_proc_macro_crate(),
673+
self.is_proc_macro, header.is_proc_macro_crate,
675674
);
676675
return None;
677676
}
678677

679-
if self.exact_paths.is_empty() && self.crate_name != root.name() {
678+
if self.exact_paths.is_empty() && self.crate_name != header.name {
680679
info!("Rejecting via crate name");
681680
return None;
682681
}
683682

684-
if root.triple() != &self.triple {
685-
info!("Rejecting via crate triple: expected {} got {}", self.triple, root.triple());
683+
if header.triple != self.triple {
684+
info!("Rejecting via crate triple: expected {} got {}", self.triple, header.triple);
686685
self.crate_rejections.via_triple.push(CrateMismatch {
687686
path: libpath.to_path_buf(),
688-
got: root.triple().to_string(),
687+
got: header.triple.to_string(),
689688
});
690689
return None;
691690
}
692691

693-
let hash = root.hash();
692+
let hash = header.hash;
694693
if let Some(expected_hash) = self.hash {
695694
if hash != expected_hash {
696695
info!("Rejecting via hash: expected {} got {}", expected_hash, hash);

compiler/rustc_metadata/src/rmeta/decoder.rs

+20-13
Original file line numberDiff line numberDiff line change
@@ -74,6 +74,7 @@ pub(crate) struct CrateMetadata {
7474
blob: MetadataBlob,
7575

7676
// --- Some data pre-decoded from the metadata blob, usually for performance ---
77+
/// Data about the top-level items in a crate, as well as various crate-level metadata.
7778
root: CrateRoot,
7879
/// Trait impl data.
7980
/// FIXME: Used only from queries and can use query cache,
@@ -449,7 +450,7 @@ impl<'a, 'tcx> Decodable<DecodeContext<'a, 'tcx>> for SyntaxContext {
449450
You need to explicitly pass `(crate_metadata_ref, tcx)` to `decode` instead of just `crate_metadata_ref`.");
450451
};
451452

452-
let cname = cdata.root.name;
453+
let cname = cdata.root.name();
453454
rustc_span::hygiene::decode_syntax_context(decoder, &cdata.hygiene_context, |_, id| {
454455
debug!("SpecializedDecoder<SyntaxContext>: decoding {}", id);
455456
cdata
@@ -564,7 +565,7 @@ impl<'a, 'tcx> Decodable<DecodeContext<'a, 'tcx>> for Span {
564565
let cnum = u32::decode(decoder);
565566
panic!(
566567
"Decoding of crate {:?} tried to access proc-macro dep {:?}",
567-
decoder.cdata().root.name,
568+
decoder.cdata().root.header.name,
568569
cnum
569570
);
570571
}
@@ -671,6 +672,16 @@ impl MetadataBlob {
671672
.decode(self)
672673
}
673674

675+
pub(crate) fn get_header(&self) -> CrateHeader {
676+
let slice = &self.blob()[..];
677+
let offset = METADATA_HEADER.len();
678+
679+
let pos_bytes = slice[offset..][..4].try_into().unwrap();
680+
let pos = u32::from_be_bytes(pos_bytes) as usize;
681+
682+
LazyValue::<CrateHeader>::from_position(NonZeroUsize::new(pos).unwrap()).decode(self)
683+
}
684+
674685
pub(crate) fn get_root(&self) -> CrateRoot {
675686
let slice = &self.blob()[..];
676687
let offset = METADATA_HEADER.len();
@@ -684,8 +695,8 @@ impl MetadataBlob {
684695
pub(crate) fn list_crate_metadata(&self, out: &mut dyn io::Write) -> io::Result<()> {
685696
let root = self.get_root();
686697
writeln!(out, "Crate info:")?;
687-
writeln!(out, "name {}{}", root.name, root.extra_filename)?;
688-
writeln!(out, "hash {} stable_crate_id {:?}", root.hash, root.stable_crate_id)?;
698+
writeln!(out, "name {}{}", root.name(), root.extra_filename)?;
699+
writeln!(out, "hash {} stable_crate_id {:?}", root.hash(), root.stable_crate_id)?;
689700
writeln!(out, "proc_macro {:?}", root.proc_macro_data.is_some())?;
690701
writeln!(out, "=External Dependencies=")?;
691702

@@ -709,21 +720,17 @@ impl CrateRoot {
709720
}
710721

711722
pub(crate) fn name(&self) -> Symbol {
712-
self.name
723+
self.header.name
713724
}
714725

715726
pub(crate) fn hash(&self) -> Svh {
716-
self.hash
727+
self.header.hash
717728
}
718729

719730
pub(crate) fn stable_crate_id(&self) -> StableCrateId {
720731
self.stable_crate_id
721732
}
722733

723-
pub(crate) fn triple(&self) -> &TargetTriple {
724-
&self.triple
725-
}
726-
727734
pub(crate) fn decode_crate_deps<'a>(
728735
&self,
729736
metadata: &'a MetadataBlob,
@@ -794,7 +801,7 @@ impl<'a, 'tcx> CrateMetadataRef<'a> {
794801
bug!(
795802
"CrateMetadata::def_kind({:?}): id not found, in crate {:?} with number {}",
796803
item_id,
797-
self.root.name,
804+
self.root.name(),
798805
self.cnum,
799806
)
800807
})
@@ -1702,11 +1709,11 @@ impl CrateMetadata {
17021709
}
17031710

17041711
pub(crate) fn name(&self) -> Symbol {
1705-
self.root.name
1712+
self.root.header.name
17061713
}
17071714

17081715
pub(crate) fn hash(&self) -> Svh {
1709-
self.root.hash
1716+
self.root.header.hash
17101717
}
17111718

17121719
fn num_def_ids(&self) -> usize {

compiler/rustc_metadata/src/rmeta/decoder/cstore_impl.rs

+3-3
Original file line numberDiff line numberDiff line change
@@ -317,9 +317,9 @@ provide! { tcx, def_id, other, cdata,
317317
}
318318
native_libraries => { cdata.get_native_libraries(tcx.sess).collect() }
319319
foreign_modules => { cdata.get_foreign_modules(tcx.sess).map(|m| (m.def_id, m)).collect() }
320-
crate_hash => { cdata.root.hash }
320+
crate_hash => { cdata.root.header.hash }
321321
crate_host_hash => { cdata.host_hash }
322-
crate_name => { cdata.root.name }
322+
crate_name => { cdata.root.header.name }
323323

324324
extra_filename => { cdata.root.extra_filename.clone() }
325325

@@ -581,7 +581,7 @@ impl CrateStore for CStore {
581581
}
582582

583583
fn crate_name(&self, cnum: CrateNum) -> Symbol {
584-
self.get_crate_data(cnum).root.name
584+
self.get_crate_data(cnum).root.header.name
585585
}
586586

587587
fn stable_crate_id(&self, cnum: CrateNum) -> StableCrateId {

compiler/rustc_metadata/src/rmeta/encoder.rs

+6-3
Original file line numberDiff line numberDiff line change
@@ -662,10 +662,13 @@ impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
662662
let root = stat!("final", || {
663663
let attrs = tcx.hir().krate_attrs();
664664
self.lazy(CrateRoot {
665-
name: tcx.crate_name(LOCAL_CRATE),
665+
header: CrateHeader {
666+
name: tcx.crate_name(LOCAL_CRATE),
667+
triple: tcx.sess.opts.target_triple.clone(),
668+
hash: tcx.crate_hash(LOCAL_CRATE),
669+
is_proc_macro_crate: proc_macro_data.is_some(),
670+
},
666671
extra_filename: tcx.sess.opts.cg.extra_filename.clone(),
667-
triple: tcx.sess.opts.target_triple.clone(),
668-
hash: tcx.crate_hash(LOCAL_CRATE),
669672
stable_crate_id: tcx.def_path_hash(LOCAL_CRATE.as_def_id()).stable_crate_id(),
670673
required_panic_strategy: tcx.required_panic_strategy(LOCAL_CRATE),
671674
panic_in_drop_strategy: tcx.sess.opts.unstable_opts.panic_in_drop,

compiler/rustc_metadata/src/rmeta/mod.rs

+26-5
Original file line numberDiff line numberDiff line change
@@ -56,7 +56,7 @@ pub(crate) fn rustc_version(cfg_version: &'static str) -> String {
5656
/// Metadata encoding version.
5757
/// N.B., increment this if you change the format of metadata such that
5858
/// the rustc version can't be found to compare with `rustc_version()`.
59-
const METADATA_VERSION: u8 = 7;
59+
const METADATA_VERSION: u8 = 8;
6060

6161
/// Metadata header which includes `METADATA_VERSION`.
6262
///
@@ -199,7 +199,27 @@ pub(crate) struct ProcMacroData {
199199
macros: LazyArray<DefIndex>,
200200
}
201201

202-
/// Serialized metadata for a crate.
202+
/// Serialized crate metadata.
203+
///
204+
/// This contains just enough information to determine if we should load the `CrateRoot` or not.
205+
/// Prefer [`CrateRoot`] whenever possible to avoid ICEs when using `omit-git-hash` locally.
206+
/// See #76720 for more details.
207+
///
208+
/// If you do modify this struct, also bump the [`METADATA_VERSION`] constant.
209+
#[derive(MetadataEncodable, MetadataDecodable)]
210+
pub(crate) struct CrateHeader {
211+
pub(crate) triple: TargetTriple,
212+
pub(crate) hash: Svh,
213+
pub(crate) name: Symbol,
214+
/// Whether this is the header for a proc-macro crate.
215+
///
216+
/// This is separate from [`ProcMacroData`] to avoid having to update [`METADATA_VERSION`] every
217+
/// time ProcMacroData changes.
218+
pub(crate) is_proc_macro_crate: bool,
219+
}
220+
221+
/// Serialized `.rmeta` data for a crate.
222+
///
203223
/// When compiling a proc-macro crate, we encode many of
204224
/// the `LazyArray<T>` fields as `Lazy::empty()`. This serves two purposes:
205225
///
@@ -217,10 +237,10 @@ pub(crate) struct ProcMacroData {
217237
/// to being unused.
218238
#[derive(MetadataEncodable, MetadataDecodable)]
219239
pub(crate) struct CrateRoot {
220-
name: Symbol,
221-
triple: TargetTriple,
240+
/// A header used to detect if this is the right crate to load.
241+
header: CrateHeader,
242+
222243
extra_filename: String,
223-
hash: Svh,
224244
stable_crate_id: StableCrateId,
225245
required_panic_strategy: Option<PanicStrategy>,
226246
panic_in_drop_strategy: PanicStrategy,
@@ -465,6 +485,7 @@ trivially_parameterized_over_tcx! {
465485
RawDefId,
466486
TraitImpls,
467487
IncoherentImpls,
488+
CrateHeader,
468489
CrateRoot,
469490
CrateDep,
470491
AttrFlags,

src/tools/rust-analyzer/crates/proc-macro-api/src/version.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -122,7 +122,7 @@ pub fn read_version(dylib_path: &AbsPath) -> io::Result<String> {
122122
// https://github.com/rust-lang/rust/commit/0696e79f2740ad89309269b460579e548a5cd632
123123
let snappy_portion = match version {
124124
5 | 6 => &dot_rustc[8..],
125-
7 => {
125+
7 | 8 => {
126126
let len_bytes = &dot_rustc[8..12];
127127
let data_len = u32::from_be_bytes(len_bytes.try_into().unwrap()) as usize;
128128
&dot_rustc[12..data_len + 12]

0 commit comments

Comments
 (0)