1use std::borrow::Borrow;
2use std::collections::hash_map::Entry;
3use std::fs::File;
4use std::io::{Read, Seek, Write};
5use std::path::{Path, PathBuf};
6use std::sync::Arc;
7
8use rustc_data_structures::fx::{FxIndexMap, FxIndexSet};
9use rustc_data_structures::memmap::{Mmap, MmapMut};
10use rustc_data_structures::sync::{par_for_each_in, par_join};
11use rustc_data_structures::temp_dir::MaybeTempDir;
12use rustc_data_structures::thousands::usize_with_underscores;
13use rustc_hir as hir;
14use rustc_hir::attrs::{AttributeKind, EncodeCrossCrate};
15use rustc_hir::def_id::{CRATE_DEF_ID, CRATE_DEF_INDEX, LOCAL_CRATE, LocalDefId, LocalDefIdSet};
16use rustc_hir::definitions::DefPathData;
17use rustc_hir::find_attr;
18use rustc_hir_pretty::id_to_string;
19use rustc_middle::dep_graph::WorkProductId;
20use rustc_middle::middle::dependency_format::Linkage;
21use rustc_middle::mir::interpret;
22use rustc_middle::query::Providers;
23use rustc_middle::traits::specialization_graph;
24use rustc_middle::ty::AssocContainer;
25use rustc_middle::ty::codec::TyEncoder;
26use rustc_middle::ty::fast_reject::{self, TreatParams};
27use rustc_middle::{bug, span_bug};
28use rustc_serialize::{Decodable, Decoder, Encodable, Encoder, opaque};
29use rustc_session::config::mitigation_coverage::DeniedPartialMitigation;
30use rustc_session::config::{CrateType, OptLevel, TargetModifier};
31use rustc_span::hygiene::HygieneEncodeContext;
32use rustc_span::{
33 ByteSymbol, ExternalSource, FileName, SourceFile, SpanData, SpanEncoder, StableSourceFileId,
34 Symbol, SyntaxContext, sym,
35};
36use tracing::{debug, instrument, trace};
37
38use crate::eii::EiiMapEncodedKeyValue;
39use crate::errors::{FailCreateFileEncoder, FailWriteFile};
40use crate::rmeta::*;
41
42pub(super) struct EncodeContext<'a, 'tcx> {
43 opaque: opaque::FileEncoder,
44 tcx: TyCtxt<'tcx>,
45 feat: &'tcx rustc_feature::Features,
46 tables: TableBuilders,
47
48 lazy_state: LazyState,
49 span_shorthands: FxHashMap<Span, usize>,
50 type_shorthands: FxHashMap<Ty<'tcx>, usize>,
51 predicate_shorthands: FxHashMap<ty::PredicateKind<'tcx>, usize>,
52
53 interpret_allocs: FxIndexSet<interpret::AllocId>,
54
55 source_file_cache: (Arc<SourceFile>, usize),
59 required_source_files: Option<FxIndexSet<usize>>,
66 is_proc_macro: bool,
67 hygiene_ctxt: &'a HygieneEncodeContext,
68 symbol_index_table: FxHashMap<u32, usize>,
70}
71
72macro_rules! empty_proc_macro {
76 ($self:ident) => {
77 if $self.is_proc_macro {
78 return LazyArray::default();
79 }
80 };
81}
82
83macro_rules! encoder_methods {
84 ($($name:ident($ty:ty);)*) => {
85 $(fn $name(&mut self, value: $ty) {
86 self.opaque.$name(value)
87 })*
88 }
89}
90
91impl<'a, 'tcx> Encoder for EncodeContext<'a, 'tcx> {
92 self
value
self.opaque.emit_raw_bytes(value);encoder_methods! {
93 emit_usize(usize);
94 emit_u128(u128);
95 emit_u64(u64);
96 emit_u32(u32);
97 emit_u16(u16);
98 emit_u8(u8);
99
100 emit_isize(isize);
101 emit_i128(i128);
102 emit_i64(i64);
103 emit_i32(i32);
104 emit_i16(i16);
105
106 emit_raw_bytes(&[u8]);
107 }
108}
109
110impl<'a, 'tcx, T> Encodable<EncodeContext<'a, 'tcx>> for LazyValue<T> {
111 fn encode(&self, e: &mut EncodeContext<'a, 'tcx>) {
112 e.emit_lazy_distance(self.position);
113 }
114}
115
116impl<'a, 'tcx, T> Encodable<EncodeContext<'a, 'tcx>> for LazyArray<T> {
117 fn encode(&self, e: &mut EncodeContext<'a, 'tcx>) {
118 e.emit_usize(self.num_elems);
119 if self.num_elems > 0 {
120 e.emit_lazy_distance(self.position)
121 }
122 }
123}
124
125impl<'a, 'tcx, I, T> Encodable<EncodeContext<'a, 'tcx>> for LazyTable<I, T> {
126 fn encode(&self, e: &mut EncodeContext<'a, 'tcx>) {
127 e.emit_usize(self.width);
128 e.emit_usize(self.len);
129 e.emit_lazy_distance(self.position);
130 }
131}
132
133impl<'a, 'tcx> Encodable<EncodeContext<'a, 'tcx>> for ExpnIndex {
134 fn encode(&self, s: &mut EncodeContext<'a, 'tcx>) {
135 s.emit_u32(self.as_u32());
136 }
137}
138
139impl<'a, 'tcx> SpanEncoder for EncodeContext<'a, 'tcx> {
140 fn encode_crate_num(&mut self, crate_num: CrateNum) {
141 if crate_num != LOCAL_CRATE && self.is_proc_macro {
142 {
::core::panicking::panic_fmt(format_args!("Attempted to encode non-local CrateNum {0:?} for proc-macro crate",
crate_num));
};panic!("Attempted to encode non-local CrateNum {crate_num:?} for proc-macro crate");
143 }
144 self.emit_u32(crate_num.as_u32());
145 }
146
147 fn encode_def_index(&mut self, def_index: DefIndex) {
148 self.emit_u32(def_index.as_u32());
149 }
150
151 fn encode_def_id(&mut self, def_id: DefId) {
152 def_id.krate.encode(self);
153 def_id.index.encode(self);
154 }
155
156 fn encode_syntax_context(&mut self, syntax_context: SyntaxContext) {
157 rustc_span::hygiene::raw_encode_syntax_context(syntax_context, self.hygiene_ctxt, self);
158 }
159
160 fn encode_expn_id(&mut self, expn_id: ExpnId) {
161 if expn_id.krate == LOCAL_CRATE {
162 self.hygiene_ctxt.schedule_expn_data_for_encoding(expn_id);
167 }
168 expn_id.krate.encode(self);
169 expn_id.local_id.encode(self);
170 }
171
172 fn encode_span(&mut self, span: Span) {
173 match self.span_shorthands.entry(span) {
174 Entry::Occupied(o) => {
175 let last_location = *o.get();
178 let offset = self.opaque.position() - last_location;
181 if offset < last_location {
182 let needed = bytes_needed(offset);
183 SpanTag::indirect(true, needed as u8).encode(self);
184 self.opaque.write_with(|dest| {
185 *dest = offset.to_le_bytes();
186 needed
187 });
188 } else {
189 let needed = bytes_needed(last_location);
190 SpanTag::indirect(false, needed as u8).encode(self);
191 self.opaque.write_with(|dest| {
192 *dest = last_location.to_le_bytes();
193 needed
194 });
195 }
196 }
197 Entry::Vacant(v) => {
198 let position = self.opaque.position();
199 v.insert(position);
200 span.data().encode(self);
202 }
203 }
204 }
205
206 fn encode_symbol(&mut self, sym: Symbol) {
207 self.encode_symbol_or_byte_symbol(sym.as_u32(), |this| this.emit_str(sym.as_str()));
208 }
209
210 fn encode_byte_symbol(&mut self, byte_sym: ByteSymbol) {
211 self.encode_symbol_or_byte_symbol(byte_sym.as_u32(), |this| {
212 this.emit_byte_str(byte_sym.as_byte_str())
213 });
214 }
215}
216
217fn bytes_needed(n: usize) -> usize {
218 (usize::BITS - n.leading_zeros()).div_ceil(u8::BITS) as usize
219}
220
221impl<'a, 'tcx> Encodable<EncodeContext<'a, 'tcx>> for SpanData {
222 fn encode(&self, s: &mut EncodeContext<'a, 'tcx>) {
223 let ctxt = if s.is_proc_macro { SyntaxContext::root() } else { self.ctxt };
255
256 if self.is_dummy() {
257 let tag = SpanTag::new(SpanKind::Partial, ctxt, 0);
258 tag.encode(s);
259 if tag.context().is_none() {
260 ctxt.encode(s);
261 }
262 return;
263 }
264
265 if true {
if !(self.lo <= self.hi) {
::core::panicking::panic("assertion failed: self.lo <= self.hi")
};
};debug_assert!(self.lo <= self.hi);
267
268 if !s.source_file_cache.0.contains(self.lo) {
269 let source_map = s.tcx.sess.source_map();
270 let source_file_index = source_map.lookup_source_file_idx(self.lo);
271 s.source_file_cache =
272 (Arc::clone(&source_map.files()[source_file_index]), source_file_index);
273 }
274 let (ref source_file, source_file_index) = s.source_file_cache;
275 if true {
if !source_file.contains(self.lo) {
::core::panicking::panic("assertion failed: source_file.contains(self.lo)")
};
};debug_assert!(source_file.contains(self.lo));
276
277 if !source_file.contains(self.hi) {
278 let tag = SpanTag::new(SpanKind::Partial, ctxt, 0);
281 tag.encode(s);
282 if tag.context().is_none() {
283 ctxt.encode(s);
284 }
285 return;
286 }
287
288 let (kind, metadata_index) = if source_file.is_imported() && !s.is_proc_macro {
305 let metadata_index = {
315 match &*source_file.external_src.read() {
317 ExternalSource::Foreign { metadata_index, .. } => *metadata_index,
318 src => {
::core::panicking::panic_fmt(format_args!("Unexpected external source {0:?}",
src));
}panic!("Unexpected external source {src:?}"),
319 }
320 };
321
322 (SpanKind::Foreign, metadata_index)
323 } else {
324 let source_files =
326 s.required_source_files.as_mut().expect("Already encoded SourceMap!");
327 let (metadata_index, _) = source_files.insert_full(source_file_index);
328 let metadata_index: u32 =
329 metadata_index.try_into().expect("cannot export more than U32_MAX files");
330
331 (SpanKind::Local, metadata_index)
332 };
333
334 let lo = self.lo - source_file.start_pos;
337
338 let len = self.hi - self.lo;
341
342 let tag = SpanTag::new(kind, ctxt, len.0 as usize);
343 tag.encode(s);
344 if tag.context().is_none() {
345 ctxt.encode(s);
346 }
347 lo.encode(s);
348 if tag.length().is_none() {
349 len.encode(s);
350 }
351
352 metadata_index.encode(s);
354
355 if kind == SpanKind::Foreign {
356 let cnum = s.source_file_cache.0.cnum;
359 cnum.encode(s);
360 }
361 }
362}
363
364impl<'a, 'tcx> Encodable<EncodeContext<'a, 'tcx>> for [u8] {
365 fn encode(&self, e: &mut EncodeContext<'a, 'tcx>) {
366 Encoder::emit_usize(e, self.len());
367 e.emit_raw_bytes(self);
368 }
369}
370
371impl<'a, 'tcx> TyEncoder<'tcx> for EncodeContext<'a, 'tcx> {
372 const CLEAR_CROSS_CRATE: bool = true;
373
374 fn position(&self) -> usize {
375 self.opaque.position()
376 }
377
378 fn type_shorthands(&mut self) -> &mut FxHashMap<Ty<'tcx>, usize> {
379 &mut self.type_shorthands
380 }
381
382 fn predicate_shorthands(&mut self) -> &mut FxHashMap<ty::PredicateKind<'tcx>, usize> {
383 &mut self.predicate_shorthands
384 }
385
386 fn encode_alloc_id(&mut self, alloc_id: &rustc_middle::mir::interpret::AllocId) {
387 let (index, _) = self.interpret_allocs.insert_full(*alloc_id);
388
389 index.encode(self);
390 }
391}
392
393macro_rules! record {
396 ($self:ident.$tables:ident.$table:ident[$def_id:expr] <- $value:expr) => {{
397 {
398 let value = $value;
399 let lazy = $self.lazy(value);
400 $self.$tables.$table.set_some($def_id.index, lazy);
401 }
402 }};
403}
404
405macro_rules! record_array {
408 ($self:ident.$tables:ident.$table:ident[$def_id:expr] <- $value:expr) => {{
409 {
410 let value = $value;
411 let lazy = $self.lazy_array(value);
412 $self.$tables.$table.set_some($def_id.index, lazy);
413 }
414 }};
415}
416
417macro_rules! record_defaulted_array {
418 ($self:ident.$tables:ident.$table:ident[$def_id:expr] <- $value:expr) => {{
419 {
420 let value = $value;
421 let lazy = $self.lazy_array(value);
422 $self.$tables.$table.set($def_id.index, lazy);
423 }
424 }};
425}
426
427impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
428 fn emit_lazy_distance(&mut self, position: NonZero<usize>) {
429 let pos = position.get();
430 let distance = match self.lazy_state {
431 LazyState::NoNode => ::rustc_middle::util::bug::bug_fmt(format_args!("emit_lazy_distance: outside of a metadata node"))bug!("emit_lazy_distance: outside of a metadata node"),
432 LazyState::NodeStart(start) => {
433 let start = start.get();
434 if !(pos <= start) {
::core::panicking::panic("assertion failed: pos <= start")
};assert!(pos <= start);
435 start - pos
436 }
437 LazyState::Previous(last_pos) => {
438 if !(last_pos <= position) {
{
::core::panicking::panic_fmt(format_args!("make sure that the calls to `lazy*` are in the same order as the metadata fields"));
}
};assert!(
439 last_pos <= position,
440 "make sure that the calls to `lazy*` \
441 are in the same order as the metadata fields",
442 );
443 position.get() - last_pos.get()
444 }
445 };
446 self.lazy_state = LazyState::Previous(NonZero::new(pos).unwrap());
447 self.emit_usize(distance);
448 }
449
450 fn lazy<T: ParameterizedOverTcx, B: Borrow<T::Value<'tcx>>>(&mut self, value: B) -> LazyValue<T>
451 where
452 T::Value<'tcx>: Encodable<EncodeContext<'a, 'tcx>>,
453 {
454 let pos = NonZero::new(self.position()).unwrap();
455
456 match (&self.lazy_state, &LazyState::NoNode) {
(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!(self.lazy_state, LazyState::NoNode);
457 self.lazy_state = LazyState::NodeStart(pos);
458 value.borrow().encode(self);
459 self.lazy_state = LazyState::NoNode;
460
461 if !(pos.get() <= self.position()) {
::core::panicking::panic("assertion failed: pos.get() <= self.position()")
};assert!(pos.get() <= self.position());
462
463 LazyValue::from_position(pos)
464 }
465
466 fn lazy_array<T: ParameterizedOverTcx, I: IntoIterator<Item = B>, B: Borrow<T::Value<'tcx>>>(
467 &mut self,
468 values: I,
469 ) -> LazyArray<T>
470 where
471 T::Value<'tcx>: Encodable<EncodeContext<'a, 'tcx>>,
472 {
473 let pos = NonZero::new(self.position()).unwrap();
474
475 match (&self.lazy_state, &LazyState::NoNode) {
(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!(self.lazy_state, LazyState::NoNode);
476 self.lazy_state = LazyState::NodeStart(pos);
477 let len = values.into_iter().map(|value| value.borrow().encode(self)).count();
478 self.lazy_state = LazyState::NoNode;
479
480 if !(pos.get() <= self.position()) {
::core::panicking::panic("assertion failed: pos.get() <= self.position()")
};assert!(pos.get() <= self.position());
481
482 LazyArray::from_position_and_num_elems(pos, len)
483 }
484
485 fn encode_symbol_or_byte_symbol(
486 &mut self,
487 index: u32,
488 emit_str_or_byte_str: impl Fn(&mut Self),
489 ) {
490 if Symbol::is_predefined(index) {
492 self.opaque.emit_u8(SYMBOL_PREDEFINED);
493 self.opaque.emit_u32(index);
494 } else {
495 match self.symbol_index_table.entry(index) {
497 Entry::Vacant(o) => {
498 self.opaque.emit_u8(SYMBOL_STR);
499 let pos = self.opaque.position();
500 o.insert(pos);
501 emit_str_or_byte_str(self);
502 }
503 Entry::Occupied(o) => {
504 let x = *o.get();
505 self.emit_u8(SYMBOL_OFFSET);
506 self.emit_usize(x);
507 }
508 }
509 }
510 }
511
512 fn encode_def_path_table(&mut self) {
513 let table = self.tcx.def_path_table();
514 if self.is_proc_macro {
515 for def_index in std::iter::once(CRATE_DEF_INDEX)
516 .chain(self.tcx.resolutions(()).proc_macros.iter().map(|p| p.local_def_index))
517 {
518 let def_key = self.lazy(table.def_key(def_index));
519 let def_path_hash = table.def_path_hash(def_index);
520 self.tables.def_keys.set_some(def_index, def_key);
521 self.tables.def_path_hashes.set(def_index, def_path_hash.local_hash().as_u64());
522 }
523 } else {
524 for (def_index, def_key, def_path_hash) in table.enumerated_keys_and_path_hashes() {
525 let def_key = self.lazy(def_key);
526 self.tables.def_keys.set_some(def_index, def_key);
527 self.tables.def_path_hashes.set(def_index, def_path_hash.local_hash().as_u64());
528 }
529 }
530 }
531
532 fn encode_def_path_hash_map(&mut self) -> LazyValue<DefPathHashMapRef<'static>> {
533 self.lazy(DefPathHashMapRef::BorrowedFromTcx(self.tcx.def_path_hash_to_def_index_map()))
534 }
535
536 fn encode_source_map(&mut self) -> LazyTable<u32, Option<LazyValue<rustc_span::SourceFile>>> {
537 let source_map = self.tcx.sess.source_map();
538 let all_source_files = source_map.files();
539
540 let required_source_files = self.required_source_files.take().unwrap();
544
545 let mut adapted = TableBuilder::default();
546
547 let local_crate_stable_id = self.tcx.stable_crate_id(LOCAL_CRATE);
548
549 for (on_disk_index, &source_file_index) in required_source_files.iter().enumerate() {
554 let source_file = &all_source_files[source_file_index];
555 if !(!source_file.is_imported() || self.is_proc_macro) {
::core::panicking::panic("assertion failed: !source_file.is_imported() || self.is_proc_macro")
};assert!(!source_file.is_imported() || self.is_proc_macro);
557
558 let mut adapted_source_file = (**source_file).clone();
566
567 match source_file.name {
568 FileName::Real(ref original_file_name) => {
569 let mut adapted_file_name = original_file_name.clone();
570 adapted_file_name.update_for_crate_metadata();
571 adapted_source_file.name = FileName::Real(adapted_file_name);
572 }
573 _ => {
574 }
576 };
577
578 if self.is_proc_macro {
585 adapted_source_file.cnum = LOCAL_CRATE;
586 }
587
588 adapted_source_file.stable_id = StableSourceFileId::from_filename_for_export(
592 &adapted_source_file.name,
593 local_crate_stable_id,
594 );
595
596 let on_disk_index: u32 =
597 on_disk_index.try_into().expect("cannot export more than U32_MAX files");
598 adapted.set_some(on_disk_index, self.lazy(adapted_source_file));
599 }
600
601 adapted.encode(&mut self.opaque)
602 }
603
604 fn encode_crate_root(&mut self) -> LazyValue<CrateRoot> {
605 let tcx = self.tcx;
606 let mut stats: Vec<(&'static str, usize)> = Vec::with_capacity(32);
607
608 macro_rules! stat {
609 ($label:literal, $f:expr) => {{
610 let orig_pos = self.position();
611 let res = $f();
612 stats.push(($label, self.position() - orig_pos));
613 res
614 }};
615 }
616
617 stats.push(("preamble", self.position()));
619
620 let externally_implementable_items = {
let orig_pos = self.position();
let res = (|| self.encode_externally_implementable_items())();
stats.push(("externally-implementable-items",
self.position() - orig_pos));
res
}stat!("externally-implementable-items", || self
621 .encode_externally_implementable_items());
622
623 let (crate_deps, dylib_dependency_formats) =
624 {
let orig_pos = self.position();
let res =
(||
(self.encode_crate_deps(),
self.encode_dylib_dependency_formats()))();
stats.push(("dep", self.position() - orig_pos));
res
}stat!("dep", || (self.encode_crate_deps(), self.encode_dylib_dependency_formats()));
625
626 let lib_features = {
let orig_pos = self.position();
let res = (|| self.encode_lib_features())();
stats.push(("lib-features", self.position() - orig_pos));
res
}stat!("lib-features", || self.encode_lib_features());
627
628 let stability_implications =
629 {
let orig_pos = self.position();
let res = (|| self.encode_stability_implications())();
stats.push(("stability-implications", self.position() - orig_pos));
res
}stat!("stability-implications", || self.encode_stability_implications());
630
631 let (lang_items, lang_items_missing) = {
let orig_pos = self.position();
let res =
(||
{
(self.encode_lang_items(), self.encode_lang_items_missing())
})();
stats.push(("lang-items", self.position() - orig_pos));
res
}stat!("lang-items", || {
632 (self.encode_lang_items(), self.encode_lang_items_missing())
633 });
634
635 let stripped_cfg_items = {
let orig_pos = self.position();
let res = (|| self.encode_stripped_cfg_items())();
stats.push(("stripped-cfg-items", self.position() - orig_pos));
res
}stat!("stripped-cfg-items", || self.encode_stripped_cfg_items());
636
637 let diagnostic_items = {
let orig_pos = self.position();
let res = (|| self.encode_diagnostic_items())();
stats.push(("diagnostic-items", self.position() - orig_pos));
res
}stat!("diagnostic-items", || self.encode_diagnostic_items());
638
639 let native_libraries = {
let orig_pos = self.position();
let res = (|| self.encode_native_libraries())();
stats.push(("native-libs", self.position() - orig_pos));
res
}stat!("native-libs", || self.encode_native_libraries());
640
641 let foreign_modules = {
let orig_pos = self.position();
let res = (|| self.encode_foreign_modules())();
stats.push(("foreign-modules", self.position() - orig_pos));
res
}stat!("foreign-modules", || self.encode_foreign_modules());
642
643 _ = {
let orig_pos = self.position();
let res = (|| self.encode_def_path_table())();
stats.push(("def-path-table", self.position() - orig_pos));
res
}stat!("def-path-table", || self.encode_def_path_table());
644
645 let traits = {
let orig_pos = self.position();
let res = (|| self.encode_traits())();
stats.push(("traits", self.position() - orig_pos));
res
}stat!("traits", || self.encode_traits());
647
648 let impls = {
let orig_pos = self.position();
let res = (|| self.encode_impls())();
stats.push(("impls", self.position() - orig_pos));
res
}stat!("impls", || self.encode_impls());
650
651 let incoherent_impls = {
let orig_pos = self.position();
let res = (|| self.encode_incoherent_impls())();
stats.push(("incoherent-impls", self.position() - orig_pos));
res
}stat!("incoherent-impls", || self.encode_incoherent_impls());
652
653 _ = {
let orig_pos = self.position();
let res = (|| self.encode_mir())();
stats.push(("mir", self.position() - orig_pos));
res
}stat!("mir", || self.encode_mir());
654
655 _ = {
let orig_pos = self.position();
let res = (|| self.encode_def_ids())();
stats.push(("def-ids", self.position() - orig_pos));
res
}stat!("def-ids", || self.encode_def_ids());
656
657 let interpret_alloc_index = {
let orig_pos = self.position();
let res =
(||
{
let mut interpret_alloc_index = Vec::new();
let mut n = 0;
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_metadata/src/rmeta/encoder.rs:660",
"rustc_metadata::rmeta::encoder", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(660u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::TRACE <=
::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!("beginning to encode alloc ids")
as &dyn Value))])
});
} else { ; }
};
loop {
let new_n = self.interpret_allocs.len();
if n == new_n { break; }
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_metadata/src/rmeta/encoder.rs:668",
"rustc_metadata::rmeta::encoder", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(668u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["message"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::EVENT)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let enabled =
::tracing::Level::TRACE <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::TRACE <=
::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!("encoding {0} further alloc ids",
new_n - n) as &dyn Value))])
});
} else { ; }
};
for idx in n..new_n {
let id = self.interpret_allocs[idx];
let pos = self.position() as u64;
interpret_alloc_index.push(pos);
interpret::specialized_encode_alloc_id(self, tcx, id);
}
n = new_n;
}
self.lazy_array(interpret_alloc_index)
})();
stats.push(("interpret-alloc-index", self.position() - orig_pos));
res
}stat!("interpret-alloc-index", || {
658 let mut interpret_alloc_index = Vec::new();
659 let mut n = 0;
660 trace!("beginning to encode alloc ids");
661 loop {
662 let new_n = self.interpret_allocs.len();
663 if n == new_n {
665 break;
667 }
668 trace!("encoding {} further alloc ids", new_n - n);
669 for idx in n..new_n {
670 let id = self.interpret_allocs[idx];
671 let pos = self.position() as u64;
672 interpret_alloc_index.push(pos);
673 interpret::specialized_encode_alloc_id(self, tcx, id);
674 }
675 n = new_n;
676 }
677 self.lazy_array(interpret_alloc_index)
678 });
679
680 let proc_macro_data = {
let orig_pos = self.position();
let res = (|| self.encode_proc_macros())();
stats.push(("proc-macro-data", self.position() - orig_pos));
res
}stat!("proc-macro-data", || self.encode_proc_macros());
684
685 let tables = {
let orig_pos = self.position();
let res = (|| self.tables.encode(&mut self.opaque))();
stats.push(("tables", self.position() - orig_pos));
res
}stat!("tables", || self.tables.encode(&mut self.opaque));
686
687 let debugger_visualizers =
688 {
let orig_pos = self.position();
let res = (|| self.encode_debugger_visualizers())();
stats.push(("debugger-visualizers", self.position() - orig_pos));
res
}stat!("debugger-visualizers", || self.encode_debugger_visualizers());
689
690 let exportable_items = {
let orig_pos = self.position();
let res = (|| self.encode_exportable_items())();
stats.push(("exportable-items", self.position() - orig_pos));
res
}stat!("exportable-items", || self.encode_exportable_items());
691
692 let stable_order_of_exportable_impls =
693 {
let orig_pos = self.position();
let res = (|| self.encode_stable_order_of_exportable_impls())();
stats.push(("exportable-items", self.position() - orig_pos));
res
}stat!("exportable-items", || self.encode_stable_order_of_exportable_impls());
694
695 let (exported_non_generic_symbols, exported_generic_symbols) =
697 {
let orig_pos = self.position();
let res =
(||
{
(self.encode_exported_symbols(tcx.exported_non_generic_symbols(LOCAL_CRATE)),
self.encode_exported_symbols(tcx.exported_generic_symbols(LOCAL_CRATE)))
})();
stats.push(("exported-symbols", self.position() - orig_pos));
res
}stat!("exported-symbols", || {
698 (
699 self.encode_exported_symbols(tcx.exported_non_generic_symbols(LOCAL_CRATE)),
700 self.encode_exported_symbols(tcx.exported_generic_symbols(LOCAL_CRATE)),
701 )
702 });
703
704 let (syntax_contexts, expn_data, expn_hashes) = {
let orig_pos = self.position();
let res = (|| self.encode_hygiene())();
stats.push(("hygiene", self.position() - orig_pos));
res
}stat!("hygiene", || self.encode_hygiene());
711
712 let def_path_hash_map = {
let orig_pos = self.position();
let res = (|| self.encode_def_path_hash_map())();
stats.push(("def-path-hash-map", self.position() - orig_pos));
res
}stat!("def-path-hash-map", || self.encode_def_path_hash_map());
713
714 let source_map = {
let orig_pos = self.position();
let res = (|| self.encode_source_map())();
stats.push(("source-map", self.position() - orig_pos));
res
}stat!("source-map", || self.encode_source_map());
717 let target_modifiers = {
let orig_pos = self.position();
let res = (|| self.encode_target_modifiers())();
stats.push(("target-modifiers", self.position() - orig_pos));
res
}stat!("target-modifiers", || self.encode_target_modifiers());
718 let denied_partial_mitigations = {
let orig_pos = self.position();
let res = (|| self.encode_enabled_denied_partial_mitigations())();
stats.push(("denied-partial-mitigations", self.position() - orig_pos));
res
}stat!("denied-partial-mitigations", || self
719 .encode_enabled_denied_partial_mitigations());
720
721 let root = {
let orig_pos = self.position();
let res =
(||
{
let attrs = tcx.hir_krate_attrs();
self.lazy(CrateRoot {
header: CrateHeader {
name: tcx.crate_name(LOCAL_CRATE),
triple: tcx.sess.opts.target_triple.clone(),
hash: tcx.crate_hash(LOCAL_CRATE),
is_proc_macro_crate: proc_macro_data.is_some(),
is_stub: false,
},
extra_filename: tcx.sess.opts.cg.extra_filename.clone(),
stable_crate_id: tcx.stable_crate_id(LOCAL_CRATE),
required_panic_strategy: tcx.required_panic_strategy(LOCAL_CRATE),
panic_in_drop_strategy: tcx.sess.opts.unstable_opts.panic_in_drop,
edition: tcx.sess.edition(),
has_global_allocator: tcx.has_global_allocator(LOCAL_CRATE),
has_alloc_error_handler: tcx.has_alloc_error_handler(LOCAL_CRATE),
has_panic_handler: tcx.has_panic_handler(LOCAL_CRATE),
has_default_lib_allocator: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(DefaultLibAllocator) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
externally_implementable_items,
proc_macro_data,
debugger_visualizers,
compiler_builtins: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(CompilerBuiltins) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
needs_allocator: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(NeedsAllocator) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
needs_panic_runtime: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(NeedsPanicRuntime) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
no_builtins: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(NoBuiltins) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
panic_runtime: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(PanicRuntime) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
profiler_runtime: {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(ProfilerRuntime) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
},
symbol_mangling_version: tcx.sess.opts.get_symbol_mangling_version(),
crate_deps,
dylib_dependency_formats,
lib_features,
stability_implications,
lang_items,
diagnostic_items,
lang_items_missing,
stripped_cfg_items,
native_libraries,
foreign_modules,
source_map,
target_modifiers,
denied_partial_mitigations,
traits,
impls,
incoherent_impls,
exportable_items,
stable_order_of_exportable_impls,
exported_non_generic_symbols,
exported_generic_symbols,
interpret_alloc_index,
tables,
syntax_contexts,
expn_data,
expn_hashes,
def_path_hash_map,
specialization_enabled_in: tcx.specialization_enabled_in(LOCAL_CRATE),
})
})();
stats.push(("final", self.position() - orig_pos));
res
}stat!("final", || {
722 let attrs = tcx.hir_krate_attrs();
723 self.lazy(CrateRoot {
724 header: CrateHeader {
725 name: tcx.crate_name(LOCAL_CRATE),
726 triple: tcx.sess.opts.target_triple.clone(),
727 hash: tcx.crate_hash(LOCAL_CRATE),
728 is_proc_macro_crate: proc_macro_data.is_some(),
729 is_stub: false,
730 },
731 extra_filename: tcx.sess.opts.cg.extra_filename.clone(),
732 stable_crate_id: tcx.stable_crate_id(LOCAL_CRATE),
733 required_panic_strategy: tcx.required_panic_strategy(LOCAL_CRATE),
734 panic_in_drop_strategy: tcx.sess.opts.unstable_opts.panic_in_drop,
735 edition: tcx.sess.edition(),
736 has_global_allocator: tcx.has_global_allocator(LOCAL_CRATE),
737 has_alloc_error_handler: tcx.has_alloc_error_handler(LOCAL_CRATE),
738 has_panic_handler: tcx.has_panic_handler(LOCAL_CRATE),
739 has_default_lib_allocator: find_attr!(attrs, DefaultLibAllocator),
740 externally_implementable_items,
741 proc_macro_data,
742 debugger_visualizers,
743 compiler_builtins: find_attr!(attrs, CompilerBuiltins),
744 needs_allocator: find_attr!(attrs, NeedsAllocator),
745 needs_panic_runtime: find_attr!(attrs, NeedsPanicRuntime),
746 no_builtins: find_attr!(attrs, NoBuiltins),
747 panic_runtime: find_attr!(attrs, PanicRuntime),
748 profiler_runtime: find_attr!(attrs, ProfilerRuntime),
749 symbol_mangling_version: tcx.sess.opts.get_symbol_mangling_version(),
750
751 crate_deps,
752 dylib_dependency_formats,
753 lib_features,
754 stability_implications,
755 lang_items,
756 diagnostic_items,
757 lang_items_missing,
758 stripped_cfg_items,
759 native_libraries,
760 foreign_modules,
761 source_map,
762 target_modifiers,
763 denied_partial_mitigations,
764 traits,
765 impls,
766 incoherent_impls,
767 exportable_items,
768 stable_order_of_exportable_impls,
769 exported_non_generic_symbols,
770 exported_generic_symbols,
771 interpret_alloc_index,
772 tables,
773 syntax_contexts,
774 expn_data,
775 expn_hashes,
776 def_path_hash_map,
777 specialization_enabled_in: tcx.specialization_enabled_in(LOCAL_CRATE),
778 })
779 });
780
781 let total_bytes = self.position();
782
783 let computed_total_bytes: usize = stats.iter().map(|(_, size)| size).sum();
784 match (&total_bytes, &computed_total_bytes) {
(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!(total_bytes, computed_total_bytes);
785
786 if tcx.sess.opts.unstable_opts.meta_stats {
787 use std::fmt::Write;
788
789 self.opaque.flush();
790
791 let pos_before_rewind = self.opaque.file().stream_position().unwrap();
793 let mut zero_bytes = 0;
794 self.opaque.file().rewind().unwrap();
795 let file = std::io::BufReader::new(self.opaque.file());
796 for e in file.bytes() {
797 if e.unwrap() == 0 {
798 zero_bytes += 1;
799 }
800 }
801 match (&self.opaque.file().stream_position().unwrap(), &pos_before_rewind) {
(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!(self.opaque.file().stream_position().unwrap(), pos_before_rewind);
802
803 stats.sort_by_key(|&(_, usize)| usize);
804 stats.reverse(); let prefix = "meta-stats";
807 let perc = |bytes| (bytes * 100) as f64 / total_bytes as f64;
808
809 let section_w = 23;
810 let size_w = 10;
811 let banner_w = 64;
812
813 let mut s = String::new();
819 _ = s.write_fmt(format_args!("{1} {0}\n", "=".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "=".repeat(banner_w));
820 _ = s.write_fmt(format_args!("{1} METADATA STATS: {0}\n",
tcx.crate_name(LOCAL_CRATE), prefix))writeln!(s, "{prefix} METADATA STATS: {}", tcx.crate_name(LOCAL_CRATE));
821 _ = s.write_fmt(format_args!("{2} {0:<3$}{1:>4$}\n", "Section", "Size", prefix,
section_w, size_w))writeln!(s, "{prefix} {:<section_w$}{:>size_w$}", "Section", "Size");
822 _ = s.write_fmt(format_args!("{1} {0}\n", "-".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "-".repeat(banner_w));
823 for (label, size) in stats {
824 _ = s.write_fmt(format_args!("{3} {0:<4$}{1:>5$} ({2:4.1}%)\n", label,
usize_with_underscores(size), perc(size), prefix, section_w, size_w))writeln!(
825 s,
826 "{prefix} {:<section_w$}{:>size_w$} ({:4.1}%)",
827 label,
828 usize_with_underscores(size),
829 perc(size)
830 );
831 }
832 _ = s.write_fmt(format_args!("{1} {0}\n", "-".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "-".repeat(banner_w));
833 _ = s.write_fmt(format_args!("{3} {0:<4$}{1:>5$} (of which {2:.1}% are zero bytes)\n",
"Total", usize_with_underscores(total_bytes), perc(zero_bytes),
prefix, section_w, size_w))writeln!(
834 s,
835 "{prefix} {:<section_w$}{:>size_w$} (of which {:.1}% are zero bytes)",
836 "Total",
837 usize_with_underscores(total_bytes),
838 perc(zero_bytes)
839 );
840 _ = s.write_fmt(format_args!("{1} {0}\n", "=".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "=".repeat(banner_w));
841 { ::std::io::_eprint(format_args!("{0}", s)); };eprint!("{s}");
842 }
843
844 root
845 }
846}
847
848struct AnalyzeAttrState {
849 is_exported: bool,
850 is_doc_hidden: bool,
851}
852
853#[inline]
863fn analyze_attr(attr: &hir::Attribute, state: &mut AnalyzeAttrState) -> bool {
864 let mut should_encode = false;
865 if let hir::Attribute::Parsed(p) = attr
866 && p.encode_cross_crate() == EncodeCrossCrate::No
867 {
868 } else if let Some(name) = attr.name()
870 && [sym::warn, sym::allow, sym::expect, sym::forbid, sym::deny].contains(&name)
871 {
872 } else if let hir::Attribute::Parsed(AttributeKind::DocComment { .. }) = attr {
875 if state.is_exported {
879 should_encode = true;
880 }
881 } else if let hir::Attribute::Parsed(AttributeKind::Doc(d)) = attr {
882 should_encode = true;
883 if d.hidden.is_some() {
884 state.is_doc_hidden = true;
885 }
886 } else {
887 should_encode = true;
888 }
889 should_encode
890}
891
892fn should_encode_span(def_kind: DefKind) -> bool {
893 match def_kind {
894 DefKind::Mod
895 | DefKind::Struct
896 | DefKind::Union
897 | DefKind::Enum
898 | DefKind::Variant
899 | DefKind::Trait
900 | DefKind::TyAlias
901 | DefKind::ForeignTy
902 | DefKind::TraitAlias
903 | DefKind::AssocTy
904 | DefKind::TyParam
905 | DefKind::ConstParam
906 | DefKind::LifetimeParam
907 | DefKind::Fn
908 | DefKind::Const { .. }
909 | DefKind::Static { .. }
910 | DefKind::Ctor(..)
911 | DefKind::AssocFn
912 | DefKind::AssocConst { .. }
913 | DefKind::Macro(_)
914 | DefKind::ExternCrate
915 | DefKind::Use
916 | DefKind::AnonConst
917 | DefKind::InlineConst
918 | DefKind::OpaqueTy
919 | DefKind::Field
920 | DefKind::Impl { .. }
921 | DefKind::Closure
922 | DefKind::SyntheticCoroutineBody => true,
923 DefKind::ForeignMod | DefKind::GlobalAsm => false,
924 }
925}
926
927fn should_encode_attrs(def_kind: DefKind) -> bool {
928 match def_kind {
929 DefKind::Mod
930 | DefKind::Struct
931 | DefKind::Union
932 | DefKind::Enum
933 | DefKind::Variant
934 | DefKind::Trait
935 | DefKind::TyAlias
936 | DefKind::ForeignTy
937 | DefKind::TraitAlias
938 | DefKind::AssocTy
939 | DefKind::Fn
940 | DefKind::Const { .. }
941 | DefKind::Static { nested: false, .. }
942 | DefKind::AssocFn
943 | DefKind::AssocConst { .. }
944 | DefKind::Macro(_)
945 | DefKind::Field
946 | DefKind::Impl { .. } => true,
947 DefKind::Use => true,
951 DefKind::Closure => true,
956 DefKind::SyntheticCoroutineBody => false,
957 DefKind::TyParam
958 | DefKind::ConstParam
959 | DefKind::Ctor(..)
960 | DefKind::ExternCrate
961 | DefKind::ForeignMod
962 | DefKind::AnonConst
963 | DefKind::InlineConst
964 | DefKind::OpaqueTy
965 | DefKind::LifetimeParam
966 | DefKind::Static { nested: true, .. }
967 | DefKind::GlobalAsm => false,
968 }
969}
970
971fn should_encode_expn_that_defined(def_kind: DefKind) -> bool {
972 match def_kind {
973 DefKind::Mod
974 | DefKind::Struct
975 | DefKind::Union
976 | DefKind::Enum
977 | DefKind::Variant
978 | DefKind::Trait
979 | DefKind::Impl { .. } => true,
980 DefKind::TyAlias
981 | DefKind::ForeignTy
982 | DefKind::TraitAlias
983 | DefKind::AssocTy
984 | DefKind::TyParam
985 | DefKind::Fn
986 | DefKind::Const { .. }
987 | DefKind::ConstParam
988 | DefKind::Static { .. }
989 | DefKind::Ctor(..)
990 | DefKind::AssocFn
991 | DefKind::AssocConst { .. }
992 | DefKind::Macro(_)
993 | DefKind::ExternCrate
994 | DefKind::Use
995 | DefKind::ForeignMod
996 | DefKind::AnonConst
997 | DefKind::InlineConst
998 | DefKind::OpaqueTy
999 | DefKind::Field
1000 | DefKind::LifetimeParam
1001 | DefKind::GlobalAsm
1002 | DefKind::Closure
1003 | DefKind::SyntheticCoroutineBody => false,
1004 }
1005}
1006
1007fn should_encode_visibility(def_kind: DefKind) -> bool {
1008 match def_kind {
1009 DefKind::Mod
1010 | DefKind::Struct
1011 | DefKind::Union
1012 | DefKind::Enum
1013 | DefKind::Variant
1014 | DefKind::Trait
1015 | DefKind::TyAlias
1016 | DefKind::ForeignTy
1017 | DefKind::TraitAlias
1018 | DefKind::AssocTy
1019 | DefKind::Fn
1020 | DefKind::Const { .. }
1021 | DefKind::Static { nested: false, .. }
1022 | DefKind::Ctor(..)
1023 | DefKind::AssocFn
1024 | DefKind::AssocConst { .. }
1025 | DefKind::Macro(..)
1026 | DefKind::Field => true,
1027 DefKind::Use
1028 | DefKind::ForeignMod
1029 | DefKind::TyParam
1030 | DefKind::ConstParam
1031 | DefKind::LifetimeParam
1032 | DefKind::AnonConst
1033 | DefKind::InlineConst
1034 | DefKind::Static { nested: true, .. }
1035 | DefKind::OpaqueTy
1036 | DefKind::GlobalAsm
1037 | DefKind::Impl { .. }
1038 | DefKind::Closure
1039 | DefKind::ExternCrate
1040 | DefKind::SyntheticCoroutineBody => false,
1041 }
1042}
1043
1044fn should_encode_stability(def_kind: DefKind) -> bool {
1045 match def_kind {
1046 DefKind::Mod
1047 | DefKind::Ctor(..)
1048 | DefKind::Variant
1049 | DefKind::Field
1050 | DefKind::Struct
1051 | DefKind::AssocTy
1052 | DefKind::AssocFn
1053 | DefKind::AssocConst { .. }
1054 | DefKind::TyParam
1055 | DefKind::ConstParam
1056 | DefKind::Static { .. }
1057 | DefKind::Const { .. }
1058 | DefKind::Fn
1059 | DefKind::ForeignMod
1060 | DefKind::TyAlias
1061 | DefKind::OpaqueTy
1062 | DefKind::Enum
1063 | DefKind::Union
1064 | DefKind::Impl { .. }
1065 | DefKind::Trait
1066 | DefKind::TraitAlias
1067 | DefKind::Macro(..)
1068 | DefKind::ForeignTy => true,
1069 DefKind::Use
1070 | DefKind::LifetimeParam
1071 | DefKind::AnonConst
1072 | DefKind::InlineConst
1073 | DefKind::GlobalAsm
1074 | DefKind::Closure
1075 | DefKind::ExternCrate
1076 | DefKind::SyntheticCoroutineBody => false,
1077 }
1078}
1079
1080fn should_encode_mir(
1101 tcx: TyCtxt<'_>,
1102 reachable_set: &LocalDefIdSet,
1103 def_id: LocalDefId,
1104) -> (bool, bool) {
1105 match tcx.def_kind(def_id) {
1106 DefKind::Ctor(_, _) => (true, false),
1108 DefKind::AnonConst { .. }
1110 | DefKind::InlineConst
1111 | DefKind::AssocConst { .. }
1112 | DefKind::Const { .. } => (true, false),
1113 DefKind::Closure if tcx.is_coroutine(def_id.to_def_id()) => (false, true),
1115 DefKind::SyntheticCoroutineBody => (false, true),
1116 DefKind::AssocFn | DefKind::Fn | DefKind::Closure => {
1118 let opt = tcx.sess.opts.unstable_opts.always_encode_mir
1119 || (tcx.sess.opts.output_types.should_codegen()
1120 && reachable_set.contains(&def_id)
1121 && (tcx.generics_of(def_id).requires_monomorphization(tcx)
1122 || tcx.cross_crate_inlinable(def_id)));
1123 let is_const_fn = tcx.is_const_fn(def_id.to_def_id());
1125 (is_const_fn, opt)
1126 }
1127 _ => (false, false),
1129 }
1130}
1131
1132fn should_encode_variances<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, def_kind: DefKind) -> bool {
1133 match def_kind {
1134 DefKind::Struct
1135 | DefKind::Union
1136 | DefKind::Enum
1137 | DefKind::OpaqueTy
1138 | DefKind::Fn
1139 | DefKind::Ctor(..)
1140 | DefKind::AssocFn => true,
1141 DefKind::AssocTy => {
1142 #[allow(non_exhaustive_omitted_patterns)] match tcx.opt_rpitit_info(def_id) {
Some(ty::ImplTraitInTraitData::Trait { .. }) => true,
_ => false,
}matches!(tcx.opt_rpitit_info(def_id), Some(ty::ImplTraitInTraitData::Trait { .. }))
1144 }
1145 DefKind::Mod
1146 | DefKind::Variant
1147 | DefKind::Field
1148 | DefKind::AssocConst { .. }
1149 | DefKind::TyParam
1150 | DefKind::ConstParam
1151 | DefKind::Static { .. }
1152 | DefKind::Const { .. }
1153 | DefKind::ForeignMod
1154 | DefKind::Impl { .. }
1155 | DefKind::Trait
1156 | DefKind::TraitAlias
1157 | DefKind::Macro(..)
1158 | DefKind::ForeignTy
1159 | DefKind::Use
1160 | DefKind::LifetimeParam
1161 | DefKind::AnonConst
1162 | DefKind::InlineConst
1163 | DefKind::GlobalAsm
1164 | DefKind::Closure
1165 | DefKind::ExternCrate
1166 | DefKind::SyntheticCoroutineBody => false,
1167 DefKind::TyAlias => tcx.type_alias_is_lazy(def_id),
1168 }
1169}
1170
1171fn should_encode_generics(def_kind: DefKind) -> bool {
1172 match def_kind {
1173 DefKind::Struct
1174 | DefKind::Union
1175 | DefKind::Enum
1176 | DefKind::Variant
1177 | DefKind::Trait
1178 | DefKind::TyAlias
1179 | DefKind::ForeignTy
1180 | DefKind::TraitAlias
1181 | DefKind::AssocTy
1182 | DefKind::Fn
1183 | DefKind::Const { .. }
1184 | DefKind::Static { .. }
1185 | DefKind::Ctor(..)
1186 | DefKind::AssocFn
1187 | DefKind::AssocConst { .. }
1188 | DefKind::AnonConst
1189 | DefKind::InlineConst
1190 | DefKind::OpaqueTy
1191 | DefKind::Impl { .. }
1192 | DefKind::Field
1193 | DefKind::TyParam
1194 | DefKind::Closure
1195 | DefKind::SyntheticCoroutineBody => true,
1196 DefKind::Mod
1197 | DefKind::ForeignMod
1198 | DefKind::ConstParam
1199 | DefKind::Macro(..)
1200 | DefKind::Use
1201 | DefKind::LifetimeParam
1202 | DefKind::GlobalAsm
1203 | DefKind::ExternCrate => false,
1204 }
1205}
1206
1207fn should_encode_type(tcx: TyCtxt<'_>, def_id: LocalDefId, def_kind: DefKind) -> bool {
1208 match def_kind {
1209 DefKind::Struct
1210 | DefKind::Union
1211 | DefKind::Enum
1212 | DefKind::Variant
1213 | DefKind::Ctor(..)
1214 | DefKind::Field
1215 | DefKind::Fn
1216 | DefKind::Const { .. }
1217 | DefKind::Static { nested: false, .. }
1218 | DefKind::TyAlias
1219 | DefKind::ForeignTy
1220 | DefKind::Impl { .. }
1221 | DefKind::AssocFn
1222 | DefKind::AssocConst { .. }
1223 | DefKind::Closure
1224 | DefKind::ConstParam
1225 | DefKind::AnonConst
1226 | DefKind::InlineConst
1227 | DefKind::SyntheticCoroutineBody => true,
1228
1229 DefKind::OpaqueTy => {
1230 let origin = tcx.local_opaque_ty_origin(def_id);
1231 if let hir::OpaqueTyOrigin::FnReturn { parent, .. }
1232 | hir::OpaqueTyOrigin::AsyncFn { parent, .. } = origin
1233 && let hir::Node::TraitItem(trait_item) = tcx.hir_node_by_def_id(parent)
1234 && let (_, hir::TraitFn::Required(..)) = trait_item.expect_fn()
1235 {
1236 false
1237 } else {
1238 true
1239 }
1240 }
1241
1242 DefKind::AssocTy => {
1243 let assoc_item = tcx.associated_item(def_id);
1244 match assoc_item.container {
1245 ty::AssocContainer::InherentImpl | ty::AssocContainer::TraitImpl(_) => true,
1246 ty::AssocContainer::Trait => assoc_item.defaultness(tcx).has_value(),
1247 }
1248 }
1249 DefKind::TyParam => {
1250 let hir::Node::GenericParam(param) = tcx.hir_node_by_def_id(def_id) else { ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!() };
1251 let hir::GenericParamKind::Type { default, .. } = param.kind else { ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!() };
1252 default.is_some()
1253 }
1254
1255 DefKind::Trait
1256 | DefKind::TraitAlias
1257 | DefKind::Mod
1258 | DefKind::ForeignMod
1259 | DefKind::Macro(..)
1260 | DefKind::Static { nested: true, .. }
1261 | DefKind::Use
1262 | DefKind::LifetimeParam
1263 | DefKind::GlobalAsm
1264 | DefKind::ExternCrate => false,
1265 }
1266}
1267
1268fn should_encode_fn_sig(def_kind: DefKind) -> bool {
1269 match def_kind {
1270 DefKind::Fn | DefKind::AssocFn | DefKind::Ctor(_, CtorKind::Fn) => true,
1271
1272 DefKind::Struct
1273 | DefKind::Union
1274 | DefKind::Enum
1275 | DefKind::Variant
1276 | DefKind::Field
1277 | DefKind::Const { .. }
1278 | DefKind::Static { .. }
1279 | DefKind::Ctor(..)
1280 | DefKind::TyAlias
1281 | DefKind::OpaqueTy
1282 | DefKind::ForeignTy
1283 | DefKind::Impl { .. }
1284 | DefKind::AssocConst { .. }
1285 | DefKind::Closure
1286 | DefKind::ConstParam
1287 | DefKind::AnonConst
1288 | DefKind::InlineConst
1289 | DefKind::AssocTy
1290 | DefKind::TyParam
1291 | DefKind::Trait
1292 | DefKind::TraitAlias
1293 | DefKind::Mod
1294 | DefKind::ForeignMod
1295 | DefKind::Macro(..)
1296 | DefKind::Use
1297 | DefKind::LifetimeParam
1298 | DefKind::GlobalAsm
1299 | DefKind::ExternCrate
1300 | DefKind::SyntheticCoroutineBody => false,
1301 }
1302}
1303
1304fn should_encode_constness(def_kind: DefKind) -> bool {
1305 match def_kind {
1306 DefKind::Fn
1307 | DefKind::AssocFn
1308 | DefKind::Closure
1309 | DefKind::Ctor(_, CtorKind::Fn)
1310 | DefKind::Impl { of_trait: false } => true,
1311
1312 DefKind::Struct
1313 | DefKind::Union
1314 | DefKind::Enum
1315 | DefKind::Field
1316 | DefKind::Const { .. }
1317 | DefKind::AssocConst { .. }
1318 | DefKind::AnonConst
1319 | DefKind::Static { .. }
1320 | DefKind::TyAlias
1321 | DefKind::OpaqueTy
1322 | DefKind::Impl { .. }
1323 | DefKind::ForeignTy
1324 | DefKind::ConstParam
1325 | DefKind::InlineConst
1326 | DefKind::AssocTy
1327 | DefKind::TyParam
1328 | DefKind::Trait
1329 | DefKind::TraitAlias
1330 | DefKind::Mod
1331 | DefKind::ForeignMod
1332 | DefKind::Macro(..)
1333 | DefKind::Use
1334 | DefKind::LifetimeParam
1335 | DefKind::GlobalAsm
1336 | DefKind::ExternCrate
1337 | DefKind::Ctor(_, CtorKind::Const)
1338 | DefKind::Variant
1339 | DefKind::SyntheticCoroutineBody => false,
1340 }
1341}
1342
1343fn should_encode_const(def_kind: DefKind) -> bool {
1344 match def_kind {
1345 DefKind::Const { .. }
1347 | DefKind::AssocConst { .. }
1348 | DefKind::AnonConst
1349 | DefKind::InlineConst => true,
1350
1351 DefKind::Struct
1352 | DefKind::Union
1353 | DefKind::Enum
1354 | DefKind::Variant
1355 | DefKind::Ctor(..)
1356 | DefKind::Field
1357 | DefKind::Fn
1358 | DefKind::Static { .. }
1359 | DefKind::TyAlias
1360 | DefKind::OpaqueTy
1361 | DefKind::ForeignTy
1362 | DefKind::Impl { .. }
1363 | DefKind::AssocFn
1364 | DefKind::Closure
1365 | DefKind::ConstParam
1366 | DefKind::AssocTy
1367 | DefKind::TyParam
1368 | DefKind::Trait
1369 | DefKind::TraitAlias
1370 | DefKind::Mod
1371 | DefKind::ForeignMod
1372 | DefKind::Macro(..)
1373 | DefKind::Use
1374 | DefKind::LifetimeParam
1375 | DefKind::GlobalAsm
1376 | DefKind::ExternCrate
1377 | DefKind::SyntheticCoroutineBody => false,
1378 }
1379}
1380
1381fn should_encode_const_of_item<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, def_kind: DefKind) -> bool {
1382 tcx.is_type_const(def_id)
1384 && (!#[allow(non_exhaustive_omitted_patterns)] match def_kind {
DefKind::AssocConst { .. } => true,
_ => false,
}matches!(def_kind, DefKind::AssocConst { .. }) || assoc_item_has_value(tcx, def_id))
1385}
1386
1387fn assoc_item_has_value<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
1388 let assoc_item = tcx.associated_item(def_id);
1389 match assoc_item.container {
1390 ty::AssocContainer::InherentImpl | ty::AssocContainer::TraitImpl(_) => true,
1391 ty::AssocContainer::Trait => assoc_item.defaultness(tcx).has_value(),
1392 }
1393}
1394
1395impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
1396 fn encode_attrs(&mut self, def_id: LocalDefId) {
1397 let tcx = self.tcx;
1398 let mut state = AnalyzeAttrState {
1399 is_exported: tcx.effective_visibilities(()).is_exported(def_id),
1400 is_doc_hidden: false,
1401 };
1402 let attr_iter = tcx
1403 .hir_attrs(tcx.local_def_id_to_hir_id(def_id))
1404 .iter()
1405 .filter(|attr| analyze_attr(*attr, &mut state));
1406
1407 {
{
let value = attr_iter;
let lazy = self.lazy_array(value);
self.tables.attributes.set_some(def_id.to_def_id().index, lazy);
}
};record_array!(self.tables.attributes[def_id.to_def_id()] <- attr_iter);
1408
1409 let mut attr_flags = AttrFlags::empty();
1410 if state.is_doc_hidden {
1411 attr_flags |= AttrFlags::IS_DOC_HIDDEN;
1412 }
1413 self.tables.attr_flags.set(def_id.local_def_index, attr_flags);
1414 }
1415
1416 fn encode_def_ids(&mut self) {
1417 self.encode_info_for_mod(CRATE_DEF_ID);
1418
1419 if self.is_proc_macro {
1422 return;
1423 }
1424
1425 let tcx = self.tcx;
1426
1427 for local_id in tcx.iter_local_def_id() {
1428 let def_id = local_id.to_def_id();
1429 let def_kind = tcx.def_kind(local_id);
1430 self.tables.def_kind.set_some(def_id.index, def_kind);
1431
1432 if def_kind == DefKind::AnonConst
1437 && match tcx.hir_node_by_def_id(local_id) {
1438 hir::Node::ConstArg(hir::ConstArg { kind, .. }) => match kind {
1439 hir::ConstArgKind::Error(..)
1441 | hir::ConstArgKind::Struct(..)
1442 | hir::ConstArgKind::Array(..)
1443 | hir::ConstArgKind::TupleCall(..)
1444 | hir::ConstArgKind::Tup(..)
1445 | hir::ConstArgKind::Path(..)
1446 | hir::ConstArgKind::Literal { .. }
1447 | hir::ConstArgKind::Infer(..) => true,
1448 hir::ConstArgKind::Anon(..) => false,
1449 },
1450 _ => false,
1451 }
1452 {
1453 if !tcx.features().min_generic_const_args() {
1455 continue;
1456 }
1457 }
1458
1459 if def_kind == DefKind::Field
1460 && let hir::Node::Field(field) = tcx.hir_node_by_def_id(local_id)
1461 && let Some(anon) = field.default
1462 {
1463 {
{
let value = anon.def_id.to_def_id();
let lazy = self.lazy(value);
self.tables.default_fields.set_some(def_id.index, lazy);
}
};record!(self.tables.default_fields[def_id] <- anon.def_id.to_def_id());
1464 }
1465
1466 if should_encode_span(def_kind) {
1467 let def_span = tcx.def_span(local_id);
1468 {
{
let value = def_span;
let lazy = self.lazy(value);
self.tables.def_span.set_some(def_id.index, lazy);
}
};record!(self.tables.def_span[def_id] <- def_span);
1469 }
1470 if should_encode_attrs(def_kind) {
1471 self.encode_attrs(local_id);
1472 }
1473 if should_encode_expn_that_defined(def_kind) {
1474 {
{
let value = self.tcx.expn_that_defined(def_id);
let lazy = self.lazy(value);
self.tables.expn_that_defined.set_some(def_id.index, lazy);
}
};record!(self.tables.expn_that_defined[def_id] <- self.tcx.expn_that_defined(def_id));
1475 }
1476 if should_encode_span(def_kind)
1477 && let Some(ident_span) = tcx.def_ident_span(def_id)
1478 {
1479 {
{
let value = ident_span;
let lazy = self.lazy(value);
self.tables.def_ident_span.set_some(def_id.index, lazy);
}
};record!(self.tables.def_ident_span[def_id] <- ident_span);
1480 }
1481 if def_kind.has_codegen_attrs() {
1482 {
{
let value = self.tcx.codegen_fn_attrs(def_id);
let lazy = self.lazy(value);
self.tables.codegen_fn_attrs.set_some(def_id.index, lazy);
}
};record!(self.tables.codegen_fn_attrs[def_id] <- self.tcx.codegen_fn_attrs(def_id));
1483 }
1484 if should_encode_visibility(def_kind) {
1485 let vis =
1486 self.tcx.local_visibility(local_id).map_id(|def_id| def_id.local_def_index);
1487 {
{
let value = vis;
let lazy = self.lazy(value);
self.tables.visibility.set_some(def_id.index, lazy);
}
};record!(self.tables.visibility[def_id] <- vis);
1488 }
1489 if should_encode_stability(def_kind) {
1490 self.encode_stability(def_id);
1491 self.encode_const_stability(def_id);
1492 self.encode_default_body_stability(def_id);
1493 self.encode_deprecation(def_id);
1494 }
1495 if should_encode_variances(tcx, def_id, def_kind) {
1496 let v = self.tcx.variances_of(def_id);
1497 {
{
let value = v;
let lazy = self.lazy_array(value);
self.tables.variances_of.set_some(def_id.index, lazy);
}
};record_array!(self.tables.variances_of[def_id] <- v);
1498 }
1499 if should_encode_fn_sig(def_kind) {
1500 {
{
let value = tcx.fn_sig(def_id);
let lazy = self.lazy(value);
self.tables.fn_sig.set_some(def_id.index, lazy);
}
};record!(self.tables.fn_sig[def_id] <- tcx.fn_sig(def_id));
1501 }
1502 if should_encode_generics(def_kind) {
1503 let g = tcx.generics_of(def_id);
1504 {
{
let value = g;
let lazy = self.lazy(value);
self.tables.generics_of.set_some(def_id.index, lazy);
}
};record!(self.tables.generics_of[def_id] <- g);
1505 {
{
let value = self.tcx.explicit_predicates_of(def_id);
let lazy = self.lazy(value);
self.tables.explicit_predicates_of.set_some(def_id.index, lazy);
}
};record!(self.tables.explicit_predicates_of[def_id] <- self.tcx.explicit_predicates_of(def_id));
1506 let inferred_outlives = self.tcx.inferred_outlives_of(def_id);
1507 {
{
let value = inferred_outlives;
let lazy = self.lazy_array(value);
self.tables.inferred_outlives_of.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.inferred_outlives_of[def_id] <- inferred_outlives);
1508
1509 for param in &g.own_params {
1510 if let ty::GenericParamDefKind::Const { has_default: true, .. } = param.kind {
1511 let default = self.tcx.const_param_default(param.def_id);
1512 {
{
let value = default;
let lazy = self.lazy(value);
self.tables.const_param_default.set_some(param.def_id.index, lazy);
}
};record!(self.tables.const_param_default[param.def_id] <- default);
1513 }
1514 }
1515 }
1516 if tcx.is_conditionally_const(def_id) {
1517 {
{
let value = self.tcx.const_conditions(def_id);
let lazy = self.lazy(value);
self.tables.const_conditions.set_some(def_id.index, lazy);
}
};record!(self.tables.const_conditions[def_id] <- self.tcx.const_conditions(def_id));
1518 }
1519 if should_encode_type(tcx, local_id, def_kind) {
1520 {
{
let value = self.tcx.type_of(def_id);
let lazy = self.lazy(value);
self.tables.type_of.set_some(def_id.index, lazy);
}
};record!(self.tables.type_of[def_id] <- self.tcx.type_of(def_id));
1521 }
1522 if should_encode_constness(def_kind) {
1523 let constness = self.tcx.constness(def_id);
1524 self.tables.constness.set(def_id.index, constness);
1525 }
1526 if let DefKind::Fn | DefKind::AssocFn = def_kind {
1527 let asyncness = tcx.asyncness(def_id);
1528 self.tables.asyncness.set(def_id.index, asyncness);
1529 {
{
let value = tcx.fn_arg_idents(def_id);
let lazy = self.lazy_array(value);
self.tables.fn_arg_idents.set_some(def_id.index, lazy);
}
};record_array!(self.tables.fn_arg_idents[def_id] <- tcx.fn_arg_idents(def_id));
1530 }
1531 if let Some(name) = tcx.intrinsic(def_id) {
1532 {
{
let value = name;
let lazy = self.lazy(value);
self.tables.intrinsic.set_some(def_id.index, lazy);
}
};record!(self.tables.intrinsic[def_id] <- name);
1533 }
1534 if let DefKind::TyParam = def_kind {
1535 let default = self.tcx.object_lifetime_default(def_id);
1536 {
{
let value = default;
let lazy = self.lazy(value);
self.tables.object_lifetime_default.set_some(def_id.index, lazy);
}
};record!(self.tables.object_lifetime_default[def_id] <- default);
1537 }
1538 if let DefKind::Trait = def_kind {
1539 {
{
let value = self.tcx.trait_def(def_id);
let lazy = self.lazy(value);
self.tables.trait_def.set_some(def_id.index, lazy);
}
};record!(self.tables.trait_def[def_id] <- self.tcx.trait_def(def_id));
1540 {
{
let value =
self.tcx.explicit_super_predicates_of(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_super_predicates_of.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_super_predicates_of[def_id] <-
1541 self.tcx.explicit_super_predicates_of(def_id).skip_binder());
1542 {
{
let value =
self.tcx.explicit_implied_predicates_of(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_implied_predicates_of.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_implied_predicates_of[def_id] <-
1543 self.tcx.explicit_implied_predicates_of(def_id).skip_binder());
1544 let module_children = self.tcx.module_children_local(local_id);
1545 {
{
let value =
module_children.iter().map(|child| child.res.def_id().index);
let lazy = self.lazy_array(value);
self.tables.module_children_non_reexports.set_some(def_id.index,
lazy);
}
};record_array!(self.tables.module_children_non_reexports[def_id] <-
1546 module_children.iter().map(|child| child.res.def_id().index));
1547 if self.tcx.is_const_trait(def_id) {
1548 {
{
let value =
self.tcx.explicit_implied_const_bounds(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_implied_const_bounds.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_implied_const_bounds[def_id]
1549 <- self.tcx.explicit_implied_const_bounds(def_id).skip_binder());
1550 }
1551 }
1552 if let DefKind::TraitAlias = def_kind {
1553 {
{
let value = self.tcx.trait_def(def_id);
let lazy = self.lazy(value);
self.tables.trait_def.set_some(def_id.index, lazy);
}
};record!(self.tables.trait_def[def_id] <- self.tcx.trait_def(def_id));
1554 {
{
let value =
self.tcx.explicit_super_predicates_of(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_super_predicates_of.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_super_predicates_of[def_id] <-
1555 self.tcx.explicit_super_predicates_of(def_id).skip_binder());
1556 {
{
let value =
self.tcx.explicit_implied_predicates_of(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_implied_predicates_of.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_implied_predicates_of[def_id] <-
1557 self.tcx.explicit_implied_predicates_of(def_id).skip_binder());
1558 }
1559 if let DefKind::Trait | DefKind::Impl { .. } = def_kind {
1560 let associated_item_def_ids = self.tcx.associated_item_def_ids(def_id);
1561 {
{
let value =
associated_item_def_ids.iter().map(|&def_id|
{
if !def_id.is_local() {
::core::panicking::panic("assertion failed: def_id.is_local()")
};
def_id.index
});
let lazy = self.lazy_array(value);
self.tables.associated_item_or_field_def_ids.set_some(def_id.index,
lazy);
}
};record_array!(self.tables.associated_item_or_field_def_ids[def_id] <-
1562 associated_item_def_ids.iter().map(|&def_id| {
1563 assert!(def_id.is_local());
1564 def_id.index
1565 })
1566 );
1567 for &def_id in associated_item_def_ids {
1568 self.encode_info_for_assoc_item(def_id);
1569 }
1570 }
1571 if let DefKind::Closure | DefKind::SyntheticCoroutineBody = def_kind
1572 && let Some(coroutine_kind) = self.tcx.coroutine_kind(def_id)
1573 {
1574 self.tables.coroutine_kind.set(def_id.index, Some(coroutine_kind))
1575 }
1576 if def_kind == DefKind::Closure
1577 && tcx.type_of(def_id).skip_binder().is_coroutine_closure()
1578 {
1579 let coroutine_for_closure = self.tcx.coroutine_for_closure(def_id);
1580 self.tables
1581 .coroutine_for_closure
1582 .set_some(def_id.index, coroutine_for_closure.into());
1583
1584 if tcx.needs_coroutine_by_move_body_def_id(coroutine_for_closure) {
1586 self.tables.coroutine_by_move_body_def_id.set_some(
1587 coroutine_for_closure.index,
1588 self.tcx.coroutine_by_move_body_def_id(coroutine_for_closure).into(),
1589 );
1590 }
1591 }
1592 if let DefKind::Static { .. } = def_kind {
1593 if !self.tcx.is_foreign_item(def_id) {
1594 let data = self.tcx.eval_static_initializer(def_id).unwrap();
1595 {
{
let value = data;
let lazy = self.lazy(value);
self.tables.eval_static_initializer.set_some(def_id.index, lazy);
}
};record!(self.tables.eval_static_initializer[def_id] <- data);
1596 }
1597 }
1598 if let DefKind::Enum | DefKind::Struct | DefKind::Union = def_kind {
1599 self.encode_info_for_adt(local_id);
1600 }
1601 if let DefKind::Mod = def_kind {
1602 self.encode_info_for_mod(local_id);
1603 }
1604 if let DefKind::Macro(_) = def_kind {
1605 self.encode_info_for_macro(local_id);
1606 }
1607 if let DefKind::TyAlias = def_kind {
1608 self.tables
1609 .type_alias_is_lazy
1610 .set(def_id.index, self.tcx.type_alias_is_lazy(def_id));
1611 }
1612 if let DefKind::OpaqueTy = def_kind {
1613 self.encode_explicit_item_bounds(def_id);
1614 self.encode_explicit_item_self_bounds(def_id);
1615 {
{
let value = self.tcx.opaque_ty_origin(def_id);
let lazy = self.lazy(value);
self.tables.opaque_ty_origin.set_some(def_id.index, lazy);
}
};record!(self.tables.opaque_ty_origin[def_id] <- self.tcx.opaque_ty_origin(def_id));
1616 self.encode_precise_capturing_args(def_id);
1617 if tcx.is_conditionally_const(def_id) {
1618 {
{
let value = tcx.explicit_implied_const_bounds(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_implied_const_bounds.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_implied_const_bounds[def_id]
1619 <- tcx.explicit_implied_const_bounds(def_id).skip_binder());
1620 }
1621 }
1622 if let DefKind::AnonConst = def_kind {
1623 {
{
let value = self.tcx.anon_const_kind(def_id);
let lazy = self.lazy(value);
self.tables.anon_const_kind.set_some(def_id.index, lazy);
}
};record!(self.tables.anon_const_kind[def_id] <- self.tcx.anon_const_kind(def_id));
1624 }
1625 if should_encode_const_of_item(self.tcx, def_id, def_kind) {
1626 {
{
let value = self.tcx.const_of_item(def_id);
let lazy = self.lazy(value);
self.tables.const_of_item.set_some(def_id.index, lazy);
}
};record!(self.tables.const_of_item[def_id] <- self.tcx.const_of_item(def_id));
1627 }
1628 if tcx.impl_method_has_trait_impl_trait_tys(def_id)
1629 && let Ok(table) = self.tcx.collect_return_position_impl_trait_in_trait_tys(def_id)
1630 {
1631 {
{
let value = table;
let lazy = self.lazy(value);
self.tables.trait_impl_trait_tys.set_some(def_id.index, lazy);
}
};record!(self.tables.trait_impl_trait_tys[def_id] <- table);
1632 }
1633 if let DefKind::Impl { .. } | DefKind::Trait = def_kind {
1634 let table = tcx.associated_types_for_impl_traits_in_trait_or_impl(def_id);
1635 {
{
let value = table;
let lazy = self.lazy(value);
self.tables.associated_types_for_impl_traits_in_trait_or_impl.set_some(def_id.index,
lazy);
}
};record!(self.tables.associated_types_for_impl_traits_in_trait_or_impl[def_id] <- table);
1636 }
1637 }
1638
1639 for (def_id, impls) in &tcx.crate_inherent_impls(()).0.inherent_impls {
1640 {
{
let value =
impls.iter().map(|def_id|
{
if !def_id.is_local() {
::core::panicking::panic("assertion failed: def_id.is_local()")
};
def_id.index
});
let lazy = self.lazy_array(value);
self.tables.inherent_impls.set(def_id.to_def_id().index, lazy);
}
};record_defaulted_array!(self.tables.inherent_impls[def_id.to_def_id()] <- impls.iter().map(|def_id| {
1641 assert!(def_id.is_local());
1642 def_id.index
1643 }));
1644 }
1645
1646 for (def_id, res_map) in &tcx.resolutions(()).doc_link_resolutions {
1647 {
{
let value = res_map;
let lazy = self.lazy(value);
self.tables.doc_link_resolutions.set_some(def_id.to_def_id().index,
lazy);
}
};record!(self.tables.doc_link_resolutions[def_id.to_def_id()] <- res_map);
1648 }
1649
1650 for (def_id, traits) in &tcx.resolutions(()).doc_link_traits_in_scope {
1651 {
{
let value = traits;
let lazy = self.lazy_array(value);
self.tables.doc_link_traits_in_scope.set_some(def_id.to_def_id().index,
lazy);
}
};record_array!(self.tables.doc_link_traits_in_scope[def_id.to_def_id()] <- traits);
1652 }
1653 }
1654
1655 fn encode_externally_implementable_items(&mut self) -> LazyArray<EiiMapEncodedKeyValue> {
1656 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
1657 let externally_implementable_items = self.tcx.externally_implementable_items(LOCAL_CRATE);
1658
1659 self.lazy_array(externally_implementable_items.iter().map(
1660 |(foreign_item, (decl, impls))| {
1661 (
1662 *foreign_item,
1663 (decl.clone(), impls.iter().map(|(impl_did, i)| (*impl_did, *i)).collect()),
1664 )
1665 },
1666 ))
1667 }
1668
1669 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_info_for_adt",
"rustc_metadata::rmeta::encoder", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1669u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["local_def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::TRACE <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&local_def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let def_id = local_def_id.to_def_id();
let tcx = self.tcx;
let adt_def = tcx.adt_def(def_id);
{
{
let value = adt_def.repr();
let lazy = self.lazy(value);
self.tables.repr_options.set_some(def_id.index, lazy);
}
};
let params_in_repr = self.tcx.params_in_repr(def_id);
{
{
let value = params_in_repr;
let lazy = self.lazy(value);
self.tables.params_in_repr.set_some(def_id.index, lazy);
}
};
if adt_def.is_enum() {
let module_children = tcx.module_children_local(local_def_id);
{
{
let value =
module_children.iter().map(|child|
child.res.def_id().index);
let lazy = self.lazy_array(value);
self.tables.module_children_non_reexports.set_some(def_id.index,
lazy);
}
};
} else {
if true {
match (&adt_def.variants().len(), &1) {
(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);
}
}
};
};
if true {
match (&adt_def.non_enum_variant().def_id, &def_id) {
(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);
}
}
};
};
}
for (idx, variant) in adt_def.variants().iter_enumerated() {
let data =
VariantData {
discr: variant.discr,
idx,
ctor: variant.ctor.map(|(kind, def_id)|
(kind, def_id.index)),
is_non_exhaustive: variant.is_field_list_non_exhaustive(),
};
{
{
let value = data;
let lazy = self.lazy(value);
self.tables.variant_data.set_some(variant.def_id.index,
lazy);
}
};
{
{
let value =
variant.fields.iter().map(|f|
{
if !f.did.is_local() {
::core::panicking::panic("assertion failed: f.did.is_local()")
};
f.did.index
});
let lazy = self.lazy_array(value);
self.tables.associated_item_or_field_def_ids.set_some(variant.def_id.index,
lazy);
}
};
for field in &variant.fields {
self.tables.safety.set(field.did.index, field.safety);
}
if let Some((CtorKind::Fn, ctor_def_id)) = variant.ctor {
let fn_sig = tcx.fn_sig(ctor_def_id);
{
{
let value = fn_sig;
let lazy = self.lazy(value);
self.tables.fn_sig.set_some(variant.def_id.index, lazy);
}
};
}
}
if let Some(destructor) = tcx.adt_destructor(local_def_id) {
{
{
let value = destructor;
let lazy = self.lazy(value);
self.tables.adt_destructor.set_some(def_id.index, lazy);
}
};
}
if let Some(destructor) = tcx.adt_async_destructor(local_def_id) {
{
{
let value = destructor;
let lazy = self.lazy(value);
self.tables.adt_async_destructor.set_some(def_id.index,
lazy);
}
};
}
}
}
}#[instrument(level = "trace", skip(self))]
1670 fn encode_info_for_adt(&mut self, local_def_id: LocalDefId) {
1671 let def_id = local_def_id.to_def_id();
1672 let tcx = self.tcx;
1673 let adt_def = tcx.adt_def(def_id);
1674 record!(self.tables.repr_options[def_id] <- adt_def.repr());
1675
1676 let params_in_repr = self.tcx.params_in_repr(def_id);
1677 record!(self.tables.params_in_repr[def_id] <- params_in_repr);
1678
1679 if adt_def.is_enum() {
1680 let module_children = tcx.module_children_local(local_def_id);
1681 record_array!(self.tables.module_children_non_reexports[def_id] <-
1682 module_children.iter().map(|child| child.res.def_id().index));
1683 } else {
1684 debug_assert_eq!(adt_def.variants().len(), 1);
1686 debug_assert_eq!(adt_def.non_enum_variant().def_id, def_id);
1687 }
1689
1690 for (idx, variant) in adt_def.variants().iter_enumerated() {
1691 let data = VariantData {
1692 discr: variant.discr,
1693 idx,
1694 ctor: variant.ctor.map(|(kind, def_id)| (kind, def_id.index)),
1695 is_non_exhaustive: variant.is_field_list_non_exhaustive(),
1696 };
1697 record!(self.tables.variant_data[variant.def_id] <- data);
1698
1699 record_array!(self.tables.associated_item_or_field_def_ids[variant.def_id] <- variant.fields.iter().map(|f| {
1700 assert!(f.did.is_local());
1701 f.did.index
1702 }));
1703
1704 for field in &variant.fields {
1705 self.tables.safety.set(field.did.index, field.safety);
1706 }
1707
1708 if let Some((CtorKind::Fn, ctor_def_id)) = variant.ctor {
1709 let fn_sig = tcx.fn_sig(ctor_def_id);
1710 record!(self.tables.fn_sig[variant.def_id] <- fn_sig);
1712 }
1713 }
1714
1715 if let Some(destructor) = tcx.adt_destructor(local_def_id) {
1716 record!(self.tables.adt_destructor[def_id] <- destructor);
1717 }
1718
1719 if let Some(destructor) = tcx.adt_async_destructor(local_def_id) {
1720 record!(self.tables.adt_async_destructor[def_id] <- destructor);
1721 }
1722 }
1723
1724 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_info_for_mod",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1724u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["local_def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&local_def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let tcx = self.tcx;
let def_id = local_def_id.to_def_id();
if self.is_proc_macro {
{
{
let value = tcx.expn_that_defined(local_def_id);
let lazy = self.lazy(value);
self.tables.expn_that_defined.set_some(def_id.index, lazy);
}
};
} else {
let module_children = tcx.module_children_local(local_def_id);
{
{
let value =
module_children.iter().filter(|child|
child.reexport_chain.is_empty()).map(|child|
child.res.def_id().index);
let lazy = self.lazy_array(value);
self.tables.module_children_non_reexports.set_some(def_id.index,
lazy);
}
};
{
{
let value =
module_children.iter().filter(|child|
!child.reexport_chain.is_empty());
let lazy = self.lazy_array(value);
self.tables.module_children_reexports.set(def_id.index,
lazy);
}
};
let ambig_module_children =
tcx.resolutions(()).ambig_module_children.get(&local_def_id).map_or_default(|v|
&v[..]);
{
{
let value = ambig_module_children;
let lazy = self.lazy_array(value);
self.tables.ambig_module_children.set(def_id.index, lazy);
}
};
}
}
}
}#[instrument(level = "debug", skip(self))]
1725 fn encode_info_for_mod(&mut self, local_def_id: LocalDefId) {
1726 let tcx = self.tcx;
1727 let def_id = local_def_id.to_def_id();
1728
1729 if self.is_proc_macro {
1735 record!(self.tables.expn_that_defined[def_id] <- tcx.expn_that_defined(local_def_id));
1737 } else {
1738 let module_children = tcx.module_children_local(local_def_id);
1739
1740 record_array!(self.tables.module_children_non_reexports[def_id] <-
1741 module_children.iter().filter(|child| child.reexport_chain.is_empty())
1742 .map(|child| child.res.def_id().index));
1743
1744 record_defaulted_array!(self.tables.module_children_reexports[def_id] <-
1745 module_children.iter().filter(|child| !child.reexport_chain.is_empty()));
1746
1747 let ambig_module_children = tcx
1748 .resolutions(())
1749 .ambig_module_children
1750 .get(&local_def_id)
1751 .map_or_default(|v| &v[..]);
1752 record_defaulted_array!(self.tables.ambig_module_children[def_id] <-
1753 ambig_module_children);
1754 }
1755 }
1756
1757 fn encode_explicit_item_bounds(&mut self, def_id: DefId) {
1758 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_metadata/src/rmeta/encoder.rs:1758",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1758u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::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!("EncodeContext::encode_explicit_item_bounds({0:?})",
def_id) as &dyn Value))])
});
} else { ; }
};debug!("EncodeContext::encode_explicit_item_bounds({:?})", def_id);
1759 let bounds = self.tcx.explicit_item_bounds(def_id).skip_binder();
1760 {
{
let value = bounds;
let lazy = self.lazy_array(value);
self.tables.explicit_item_bounds.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_item_bounds[def_id] <- bounds);
1761 }
1762
1763 fn encode_explicit_item_self_bounds(&mut self, def_id: DefId) {
1764 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_metadata/src/rmeta/encoder.rs:1764",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1764u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::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!("EncodeContext::encode_explicit_item_self_bounds({0:?})",
def_id) as &dyn Value))])
});
} else { ; }
};debug!("EncodeContext::encode_explicit_item_self_bounds({:?})", def_id);
1765 let bounds = self.tcx.explicit_item_self_bounds(def_id).skip_binder();
1766 {
{
let value = bounds;
let lazy = self.lazy_array(value);
self.tables.explicit_item_self_bounds.set(def_id.index, lazy);
}
};record_defaulted_array!(self.tables.explicit_item_self_bounds[def_id] <- bounds);
1767 }
1768
1769 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_info_for_assoc_item",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1769u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let tcx = self.tcx;
let item = tcx.associated_item(def_id);
if #[allow(non_exhaustive_omitted_patterns)] match item.container
{
AssocContainer::Trait | AssocContainer::TraitImpl(_) =>
true,
_ => false,
} {
self.tables.defaultness.set(def_id.index,
item.defaultness(tcx));
}
{
{
let value = item.container;
let lazy = self.lazy(value);
self.tables.assoc_container.set_some(def_id.index, lazy);
}
};
if let AssocContainer::Trait = item.container && item.is_type() {
self.encode_explicit_item_bounds(def_id);
self.encode_explicit_item_self_bounds(def_id);
if tcx.is_conditionally_const(def_id) {
{
{
let value =
self.tcx.explicit_implied_const_bounds(def_id).skip_binder();
let lazy = self.lazy_array(value);
self.tables.explicit_implied_const_bounds.set(def_id.index,
lazy);
}
};
}
}
if let ty::AssocKind::Type {
data: ty::AssocTypeData::Rpitit(rpitit_info) } = item.kind {
{
{
let value = rpitit_info;
let lazy = self.lazy(value);
self.tables.opt_rpitit_info.set_some(def_id.index, lazy);
}
};
if #[allow(non_exhaustive_omitted_patterns)] match rpitit_info
{
ty::ImplTraitInTraitData::Trait { .. } => true,
_ => false,
} {
{
{
let value = self.tcx.assumed_wf_types_for_rpitit(def_id);
let lazy = self.lazy_array(value);
self.tables.assumed_wf_types_for_rpitit.set_some(def_id.index,
lazy);
}
};
self.encode_precise_capturing_args(def_id);
}
}
}
}
}#[instrument(level = "debug", skip(self))]
1770 fn encode_info_for_assoc_item(&mut self, def_id: DefId) {
1771 let tcx = self.tcx;
1772 let item = tcx.associated_item(def_id);
1773
1774 if matches!(item.container, AssocContainer::Trait | AssocContainer::TraitImpl(_)) {
1775 self.tables.defaultness.set(def_id.index, item.defaultness(tcx));
1776 }
1777
1778 record!(self.tables.assoc_container[def_id] <- item.container);
1779
1780 if let AssocContainer::Trait = item.container
1781 && item.is_type()
1782 {
1783 self.encode_explicit_item_bounds(def_id);
1784 self.encode_explicit_item_self_bounds(def_id);
1785 if tcx.is_conditionally_const(def_id) {
1786 record_defaulted_array!(self.tables.explicit_implied_const_bounds[def_id]
1787 <- self.tcx.explicit_implied_const_bounds(def_id).skip_binder());
1788 }
1789 }
1790 if let ty::AssocKind::Type { data: ty::AssocTypeData::Rpitit(rpitit_info) } = item.kind {
1791 record!(self.tables.opt_rpitit_info[def_id] <- rpitit_info);
1792 if matches!(rpitit_info, ty::ImplTraitInTraitData::Trait { .. }) {
1793 record_array!(
1794 self.tables.assumed_wf_types_for_rpitit[def_id]
1795 <- self.tcx.assumed_wf_types_for_rpitit(def_id)
1796 );
1797 self.encode_precise_capturing_args(def_id);
1798 }
1799 }
1800 }
1801
1802 fn encode_precise_capturing_args(&mut self, def_id: DefId) {
1803 let Some(precise_capturing_args) = self.tcx.rendered_precise_capturing_args(def_id) else {
1804 return;
1805 };
1806
1807 {
{
let value = precise_capturing_args;
let lazy = self.lazy_array(value);
self.tables.rendered_precise_capturing_args.set_some(def_id.index,
lazy);
}
};record_array!(self.tables.rendered_precise_capturing_args[def_id] <- precise_capturing_args);
1808 }
1809
1810 fn encode_mir(&mut self) {
1811 if self.is_proc_macro {
1812 return;
1813 }
1814
1815 let tcx = self.tcx;
1816 let reachable_set = tcx.reachable_set(());
1817
1818 let keys_and_jobs = tcx.mir_keys(()).iter().filter_map(|&def_id| {
1819 let (encode_const, encode_opt) = should_encode_mir(tcx, reachable_set, def_id);
1820 if encode_const || encode_opt { Some((def_id, encode_const, encode_opt)) } else { None }
1821 });
1822 for (def_id, encode_const, encode_opt) in keys_and_jobs {
1823 if true {
if !(encode_const || encode_opt) {
::core::panicking::panic("assertion failed: encode_const || encode_opt")
};
};debug_assert!(encode_const || encode_opt);
1824
1825 {
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_metadata/src/rmeta/encoder.rs:1825",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1825u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::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!("EntryBuilder::encode_mir({0:?})",
def_id) as &dyn Value))])
});
} else { ; }
};debug!("EntryBuilder::encode_mir({:?})", def_id);
1826 if encode_opt {
1827 {
{
let value = tcx.optimized_mir(def_id);
let lazy = self.lazy(value);
self.tables.optimized_mir.set_some(def_id.to_def_id().index, lazy);
}
};record!(self.tables.optimized_mir[def_id.to_def_id()] <- tcx.optimized_mir(def_id));
1828 self.tables
1829 .cross_crate_inlinable
1830 .set(def_id.to_def_id().index, self.tcx.cross_crate_inlinable(def_id));
1831 {
{
let value = tcx.closure_saved_names_of_captured_variables(def_id);
let lazy = self.lazy(value);
self.tables.closure_saved_names_of_captured_variables.set_some(def_id.to_def_id().index,
lazy);
}
};record!(self.tables.closure_saved_names_of_captured_variables[def_id.to_def_id()]
1832 <- tcx.closure_saved_names_of_captured_variables(def_id));
1833
1834 if self.tcx.is_coroutine(def_id.to_def_id())
1835 && let Some(witnesses) = tcx.mir_coroutine_witnesses(def_id)
1836 {
1837 {
{
let value = witnesses;
let lazy = self.lazy(value);
self.tables.mir_coroutine_witnesses.set_some(def_id.to_def_id().index,
lazy);
}
};record!(self.tables.mir_coroutine_witnesses[def_id.to_def_id()] <- witnesses);
1838 }
1839 }
1840 let mut is_trivial = false;
1841 if encode_const {
1842 if let Some((val, ty)) = tcx.trivial_const(def_id) {
1843 is_trivial = true;
1844 {
{
let value = (val, ty);
let lazy = self.lazy(value);
self.tables.trivial_const.set_some(def_id.to_def_id().index, lazy);
}
};record!(self.tables.trivial_const[def_id.to_def_id()] <- (val, ty));
1845 } else {
1846 is_trivial = false;
1847 {
{
let value = tcx.mir_for_ctfe(def_id);
let lazy = self.lazy(value);
self.tables.mir_for_ctfe.set_some(def_id.to_def_id().index, lazy);
}
};record!(self.tables.mir_for_ctfe[def_id.to_def_id()] <- tcx.mir_for_ctfe(def_id));
1848 }
1849
1850 let abstract_const = tcx.thir_abstract_const(def_id);
1852 if let Ok(Some(abstract_const)) = abstract_const {
1853 {
{
let value = abstract_const;
let lazy = self.lazy(value);
self.tables.thir_abstract_const.set_some(def_id.to_def_id().index,
lazy);
}
};record!(self.tables.thir_abstract_const[def_id.to_def_id()] <- abstract_const);
1854 }
1855
1856 if should_encode_const(tcx.def_kind(def_id)) {
1857 let qualifs = tcx.mir_const_qualif(def_id);
1858 {
{
let value = qualifs;
let lazy = self.lazy(value);
self.tables.mir_const_qualif.set_some(def_id.to_def_id().index, lazy);
}
};record!(self.tables.mir_const_qualif[def_id.to_def_id()] <- qualifs);
1859 let body = tcx.hir_maybe_body_owned_by(def_id);
1860 if let Some(body) = body {
1861 let const_data = rendered_const(self.tcx, &body, def_id);
1862 {
{
let value = const_data;
let lazy = self.lazy(value);
self.tables.rendered_const.set_some(def_id.to_def_id().index, lazy);
}
};record!(self.tables.rendered_const[def_id.to_def_id()] <- const_data);
1863 }
1864 }
1865 }
1866 if !is_trivial {
1867 {
{
let value = tcx.promoted_mir(def_id);
let lazy = self.lazy(value);
self.tables.promoted_mir.set_some(def_id.to_def_id().index, lazy);
}
};record!(self.tables.promoted_mir[def_id.to_def_id()] <- tcx.promoted_mir(def_id));
1868 }
1869
1870 if self.tcx.is_coroutine(def_id.to_def_id())
1871 && let Some(witnesses) = tcx.mir_coroutine_witnesses(def_id)
1872 {
1873 {
{
let value = witnesses;
let lazy = self.lazy(value);
self.tables.mir_coroutine_witnesses.set_some(def_id.to_def_id().index,
lazy);
}
};record!(self.tables.mir_coroutine_witnesses[def_id.to_def_id()] <- witnesses);
1874 }
1875 }
1876
1877 if tcx.sess.opts.output_types.should_codegen()
1881 && tcx.sess.opts.optimize != OptLevel::No
1882 && tcx.sess.opts.incremental.is_none()
1883 {
1884 for &local_def_id in tcx.mir_keys(()) {
1885 if let DefKind::AssocFn | DefKind::Fn = tcx.def_kind(local_def_id) {
1886 {
{
let value = self.tcx.deduced_param_attrs(local_def_id.to_def_id());
let lazy = self.lazy_array(value);
self.tables.deduced_param_attrs.set_some(local_def_id.to_def_id().index,
lazy);
}
};record_array!(self.tables.deduced_param_attrs[local_def_id.to_def_id()] <-
1887 self.tcx.deduced_param_attrs(local_def_id.to_def_id()));
1888 }
1889 }
1890 }
1891 }
1892
1893 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_stability",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1893u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
if self.feat.staged_api() ||
self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked
{
if let Some(stab) = self.tcx.lookup_stability(def_id) {
{
{
let value = stab;
let lazy = self.lazy(value);
self.tables.lookup_stability.set_some(def_id.index, lazy);
}
}
}
}
}
}
}#[instrument(level = "debug", skip(self))]
1894 fn encode_stability(&mut self, def_id: DefId) {
1895 if self.feat.staged_api() || self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked {
1898 if let Some(stab) = self.tcx.lookup_stability(def_id) {
1899 record!(self.tables.lookup_stability[def_id] <- stab)
1900 }
1901 }
1902 }
1903
1904 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_const_stability",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1904u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
if self.feat.staged_api() ||
self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked
{
if let Some(stab) = self.tcx.lookup_const_stability(def_id) {
{
{
let value = stab;
let lazy = self.lazy(value);
self.tables.lookup_const_stability.set_some(def_id.index,
lazy);
}
}
}
}
}
}
}#[instrument(level = "debug", skip(self))]
1905 fn encode_const_stability(&mut self, def_id: DefId) {
1906 if self.feat.staged_api() || self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked {
1909 if let Some(stab) = self.tcx.lookup_const_stability(def_id) {
1910 record!(self.tables.lookup_const_stability[def_id] <- stab)
1911 }
1912 }
1913 }
1914
1915 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_default_body_stability",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1915u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
if self.feat.staged_api() ||
self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked
{
if let Some(stab) =
self.tcx.lookup_default_body_stability(def_id) {
{
{
let value = stab;
let lazy = self.lazy(value);
self.tables.lookup_default_body_stability.set_some(def_id.index,
lazy);
}
}
}
}
}
}
}#[instrument(level = "debug", skip(self))]
1916 fn encode_default_body_stability(&mut self, def_id: DefId) {
1917 if self.feat.staged_api() || self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked {
1920 if let Some(stab) = self.tcx.lookup_default_body_stability(def_id) {
1921 record!(self.tables.lookup_default_body_stability[def_id] <- stab)
1922 }
1923 }
1924 }
1925
1926 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_deprecation",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1926u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
if let Some(depr) = self.tcx.lookup_deprecation(def_id) {
{
{
let value = depr;
let lazy = self.lazy(value);
self.tables.lookup_deprecation_entry.set_some(def_id.index,
lazy);
}
};
}
}
}
}#[instrument(level = "debug", skip(self))]
1927 fn encode_deprecation(&mut self, def_id: DefId) {
1928 if let Some(depr) = self.tcx.lookup_deprecation(def_id) {
1929 record!(self.tables.lookup_deprecation_entry[def_id] <- depr);
1930 }
1931 }
1932
1933 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_info_for_macro",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(1933u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["def_id"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&def_id)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
let tcx = self.tcx;
let (_, macro_def, _) =
tcx.hir_expect_item(def_id).expect_macro();
self.tables.is_macro_rules.set(def_id.local_def_index,
macro_def.macro_rules);
{
{
let value = &*macro_def.body;
let lazy = self.lazy(value);
self.tables.macro_definition.set_some(def_id.to_def_id().index,
lazy);
}
};
}
}
}#[instrument(level = "debug", skip(self))]
1934 fn encode_info_for_macro(&mut self, def_id: LocalDefId) {
1935 let tcx = self.tcx;
1936
1937 let (_, macro_def, _) = tcx.hir_expect_item(def_id).expect_macro();
1938 self.tables.is_macro_rules.set(def_id.local_def_index, macro_def.macro_rules);
1939 record!(self.tables.macro_definition[def_id.to_def_id()] <- &*macro_def.body);
1940 }
1941
1942 fn encode_native_libraries(&mut self) -> LazyArray<NativeLib> {
1943 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
1944 let used_libraries = self.tcx.native_libraries(LOCAL_CRATE);
1945 self.lazy_array(used_libraries.iter())
1946 }
1947
1948 fn encode_foreign_modules(&mut self) -> LazyArray<ForeignModule> {
1949 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
1950 let foreign_modules = self.tcx.foreign_modules(LOCAL_CRATE);
1951 self.lazy_array(foreign_modules.iter().map(|(_, m)| m).cloned())
1952 }
1953
1954 fn encode_hygiene(&mut self) -> (SyntaxContextTable, ExpnDataTable, ExpnHashTable) {
1955 let mut syntax_contexts: TableBuilder<_, _> = Default::default();
1956 let mut expn_data_table: TableBuilder<_, _> = Default::default();
1957 let mut expn_hash_table: TableBuilder<_, _> = Default::default();
1958
1959 self.hygiene_ctxt.encode(
1960 &mut (&mut *self, &mut syntax_contexts, &mut expn_data_table, &mut expn_hash_table),
1961 |(this, syntax_contexts, _, _), index, ctxt_data| {
1962 syntax_contexts.set_some(index, this.lazy(ctxt_data));
1963 },
1964 |(this, _, expn_data_table, expn_hash_table), index, expn_data, hash| {
1965 if let Some(index) = index.as_local() {
1966 expn_data_table.set_some(index.as_raw(), this.lazy(expn_data));
1967 expn_hash_table.set_some(index.as_raw(), this.lazy(hash));
1968 }
1969 },
1970 );
1971
1972 (
1973 syntax_contexts.encode(&mut self.opaque),
1974 expn_data_table.encode(&mut self.opaque),
1975 expn_hash_table.encode(&mut self.opaque),
1976 )
1977 }
1978
1979 fn encode_proc_macros(&mut self) -> Option<ProcMacroData> {
1980 let is_proc_macro = self.tcx.crate_types().contains(&CrateType::ProcMacro);
1981 if is_proc_macro {
1982 let tcx = self.tcx;
1983 let proc_macro_decls_static = tcx.proc_macro_decls_static(()).unwrap().local_def_index;
1984 let stability = tcx.lookup_stability(CRATE_DEF_ID);
1985 let macros =
1986 self.lazy_array(tcx.resolutions(()).proc_macros.iter().map(|p| p.local_def_index));
1987 for (i, span) in self.tcx.sess.psess.proc_macro_quoted_spans() {
1988 let span = self.lazy(span);
1989 self.tables.proc_macro_quoted_spans.set_some(i, span);
1990 }
1991
1992 self.tables.def_kind.set_some(LOCAL_CRATE.as_def_id().index, DefKind::Mod);
1993 {
{
let value = tcx.def_span(LOCAL_CRATE.as_def_id());
let lazy = self.lazy(value);
self.tables.def_span.set_some(LOCAL_CRATE.as_def_id().index, lazy);
}
};record!(self.tables.def_span[LOCAL_CRATE.as_def_id()] <- tcx.def_span(LOCAL_CRATE.as_def_id()));
1994 self.encode_attrs(LOCAL_CRATE.as_def_id().expect_local());
1995 let vis = tcx.local_visibility(CRATE_DEF_ID).map_id(|def_id| def_id.local_def_index);
1996 {
{
let value = vis;
let lazy = self.lazy(value);
self.tables.visibility.set_some(LOCAL_CRATE.as_def_id().index, lazy);
}
};record!(self.tables.visibility[LOCAL_CRATE.as_def_id()] <- vis);
1997 if let Some(stability) = stability {
1998 {
{
let value = stability;
let lazy = self.lazy(value);
self.tables.lookup_stability.set_some(LOCAL_CRATE.as_def_id().index,
lazy);
}
};record!(self.tables.lookup_stability[LOCAL_CRATE.as_def_id()] <- stability);
1999 }
2000 self.encode_deprecation(LOCAL_CRATE.as_def_id());
2001 if let Some(res_map) = tcx.resolutions(()).doc_link_resolutions.get(&CRATE_DEF_ID) {
2002 {
{
let value = res_map;
let lazy = self.lazy(value);
self.tables.doc_link_resolutions.set_some(LOCAL_CRATE.as_def_id().index,
lazy);
}
};record!(self.tables.doc_link_resolutions[LOCAL_CRATE.as_def_id()] <- res_map);
2003 }
2004 if let Some(traits) = tcx.resolutions(()).doc_link_traits_in_scope.get(&CRATE_DEF_ID) {
2005 {
{
let value = traits;
let lazy = self.lazy_array(value);
self.tables.doc_link_traits_in_scope.set_some(LOCAL_CRATE.as_def_id().index,
lazy);
}
};record_array!(self.tables.doc_link_traits_in_scope[LOCAL_CRATE.as_def_id()] <- traits);
2006 }
2007
2008 for &proc_macro in &tcx.resolutions(()).proc_macros {
2012 let id = proc_macro;
2013 let proc_macro = tcx.local_def_id_to_hir_id(proc_macro);
2014 let mut name = tcx.hir_name(proc_macro);
2015 let span = tcx.hir_span(proc_macro);
2016 let attrs = tcx.hir_attrs(proc_macro);
2019 let macro_kind = if {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(ProcMacro(..)) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
}find_attr!(attrs, ProcMacro(..)) {
2020 MacroKind::Bang
2021 } else if {
{
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(ProcMacroAttribute(..)) => {
break 'done Some(());
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}.is_some()
}find_attr!(attrs, ProcMacroAttribute(..)) {
2022 MacroKind::Attr
2023 } else if let Some(trait_name) =
2024 {
'done:
{
for i in attrs {
#[allow(unused_imports)]
use rustc_hir::attrs::AttributeKind::*;
let i: &rustc_hir::Attribute = i;
match i {
rustc_hir::Attribute::Parsed(ProcMacroDerive { trait_name, ..
}) => {
break 'done Some(trait_name);
}
rustc_hir::Attribute::Unparsed(..) =>
{}
#[deny(unreachable_patterns)]
_ => {}
}
}
None
}
}find_attr!(attrs, ProcMacroDerive { trait_name, ..} => trait_name)
2025 {
2026 name = *trait_name;
2027 MacroKind::Derive
2028 } else {
2029 ::rustc_middle::util::bug::bug_fmt(format_args!("Unknown proc-macro type for item {0:?}",
id));bug!("Unknown proc-macro type for item {:?}", id);
2030 };
2031
2032 let mut def_key = self.tcx.hir_def_key(id);
2033 def_key.disambiguated_data.data = DefPathData::MacroNs(name);
2034
2035 let def_id = id.to_def_id();
2036 self.tables.def_kind.set_some(def_id.index, DefKind::Macro(macro_kind.into()));
2037 self.tables.proc_macro.set_some(def_id.index, macro_kind);
2038 self.encode_attrs(id);
2039 {
{
let value = def_key;
let lazy = self.lazy(value);
self.tables.def_keys.set_some(def_id.index, lazy);
}
};record!(self.tables.def_keys[def_id] <- def_key);
2040 {
{
let value = span;
let lazy = self.lazy(value);
self.tables.def_ident_span.set_some(def_id.index, lazy);
}
};record!(self.tables.def_ident_span[def_id] <- span);
2041 {
{
let value = span;
let lazy = self.lazy(value);
self.tables.def_span.set_some(def_id.index, lazy);
}
};record!(self.tables.def_span[def_id] <- span);
2042 {
{
let value = ty::Visibility::Public;
let lazy = self.lazy(value);
self.tables.visibility.set_some(def_id.index, lazy);
}
};record!(self.tables.visibility[def_id] <- ty::Visibility::Public);
2043 if let Some(stability) = stability {
2044 {
{
let value = stability;
let lazy = self.lazy(value);
self.tables.lookup_stability.set_some(def_id.index, lazy);
}
};record!(self.tables.lookup_stability[def_id] <- stability);
2045 }
2046 }
2047
2048 Some(ProcMacroData { proc_macro_decls_static, stability, macros })
2049 } else {
2050 None
2051 }
2052 }
2053
2054 fn encode_debugger_visualizers(&mut self) -> LazyArray<DebuggerVisualizerFile> {
2055 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2056 self.lazy_array(
2057 self.tcx
2058 .debugger_visualizers(LOCAL_CRATE)
2059 .iter()
2060 .map(DebuggerVisualizerFile::path_erased),
2065 )
2066 }
2067
2068 fn encode_crate_deps(&mut self) -> LazyArray<CrateDep> {
2069 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2070
2071 let deps = self
2072 .tcx
2073 .crates(())
2074 .iter()
2075 .map(|&cnum| {
2076 let dep = CrateDep {
2077 name: self.tcx.crate_name(cnum),
2078 hash: self.tcx.crate_hash(cnum),
2079 host_hash: self.tcx.crate_host_hash(cnum),
2080 kind: self.tcx.crate_dep_kind(cnum),
2081 extra_filename: self.tcx.extra_filename(cnum).clone(),
2082 is_private: self.tcx.is_private_dep(cnum),
2083 };
2084 (cnum, dep)
2085 })
2086 .collect::<Vec<_>>();
2087
2088 {
2089 let mut expected_cnum = 1;
2091 for &(n, _) in &deps {
2092 match (&n, &CrateNum::new(expected_cnum)) {
(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!(n, CrateNum::new(expected_cnum));
2093 expected_cnum += 1;
2094 }
2095 }
2096
2097 self.lazy_array(deps.iter().map(|(_, dep)| dep))
2102 }
2103
2104 fn encode_target_modifiers(&mut self) -> LazyArray<TargetModifier> {
2105 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2106 let tcx = self.tcx;
2107 self.lazy_array(tcx.sess.opts.gather_target_modifiers())
2108 }
2109
2110 fn encode_enabled_denied_partial_mitigations(&mut self) -> LazyArray<DeniedPartialMitigation> {
2111 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2112 let tcx = self.tcx;
2113 self.lazy_array(tcx.sess.gather_enabled_denied_partial_mitigations())
2114 }
2115
2116 fn encode_lib_features(&mut self) -> LazyArray<(Symbol, FeatureStability)> {
2117 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2118 let tcx = self.tcx;
2119 let lib_features = tcx.lib_features(LOCAL_CRATE);
2120 self.lazy_array(lib_features.to_sorted_vec())
2121 }
2122
2123 fn encode_stability_implications(&mut self) -> LazyArray<(Symbol, Symbol)> {
2124 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2125 let tcx = self.tcx;
2126 let implications = tcx.stability_implications(LOCAL_CRATE);
2127 let sorted = implications.to_sorted_stable_ord();
2128 self.lazy_array(sorted.into_iter().map(|(k, v)| (*k, *v)))
2129 }
2130
2131 fn encode_diagnostic_items(&mut self) -> LazyArray<(Symbol, DefIndex)> {
2132 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2133 let tcx = self.tcx;
2134 let diagnostic_items = &tcx.diagnostic_items(LOCAL_CRATE).name_to_id;
2135 self.lazy_array(diagnostic_items.iter().map(|(&name, def_id)| (name, def_id.index)))
2136 }
2137
2138 fn encode_lang_items(&mut self) -> LazyArray<(DefIndex, LangItem)> {
2139 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2140 let lang_items = self.tcx.lang_items().iter();
2141 self.lazy_array(lang_items.filter_map(|(lang_item, def_id)| {
2142 def_id.as_local().map(|id| (id.local_def_index, lang_item))
2143 }))
2144 }
2145
2146 fn encode_lang_items_missing(&mut self) -> LazyArray<LangItem> {
2147 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2148 let tcx = self.tcx;
2149 self.lazy_array(&tcx.lang_items().missing)
2150 }
2151
2152 fn encode_stripped_cfg_items(&mut self) -> LazyArray<StrippedCfgItem<DefIndex>> {
2153 self.lazy_array(
2154 self.tcx
2155 .stripped_cfg_items(LOCAL_CRATE)
2156 .into_iter()
2157 .map(|item| item.clone().map_scope_id(|def_id| def_id.index)),
2158 )
2159 }
2160
2161 fn encode_traits(&mut self) -> LazyArray<DefIndex> {
2162 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2163 self.lazy_array(self.tcx.traits(LOCAL_CRATE).iter().map(|def_id| def_id.index))
2164 }
2165
2166 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_impls",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(2167u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&[],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{ meta.fields().value_set(&[]) })
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: LazyArray<TraitImpls> = loop {};
return __tracing_attr_fake_return;
}
{
if self.is_proc_macro { return LazyArray::default(); };
let tcx = self.tcx;
let mut trait_impls:
FxIndexMap<DefId, Vec<(DefIndex, Option<SimplifiedType>)>> =
FxIndexMap::default();
for id in tcx.hir_free_items() {
let DefKind::Impl { of_trait } =
tcx.def_kind(id.owner_id) else { continue; };
let def_id = id.owner_id.to_def_id();
if of_trait {
let header = tcx.impl_trait_header(def_id);
{
{
let value = header;
let lazy = self.lazy(value);
self.tables.impl_trait_header.set_some(def_id.index, lazy);
}
};
self.tables.defaultness.set(def_id.index,
tcx.defaultness(def_id));
let trait_ref =
header.trait_ref.instantiate_identity().skip_norm_wip();
let simplified_self_ty =
fast_reject::simplify_type(self.tcx, trait_ref.self_ty(),
TreatParams::InstantiateWithInfer);
trait_impls.entry(trait_ref.def_id).or_default().push((id.owner_id.def_id.local_def_index,
simplified_self_ty));
let trait_def = tcx.trait_def(trait_ref.def_id);
if let Ok(mut an) = trait_def.ancestors(tcx, def_id) &&
let Some(specialization_graph::Node::Impl(parent)) =
an.nth(1) {
self.tables.impl_parent.set_some(def_id.index,
parent.into());
}
if tcx.is_lang_item(trait_ref.def_id,
LangItem::CoerceUnsized) {
let coerce_unsized_info =
tcx.coerce_unsized_info(def_id).unwrap();
{
{
let value = coerce_unsized_info;
let lazy = self.lazy(value);
self.tables.coerce_unsized_info.set_some(def_id.index,
lazy);
}
};
}
}
}
let trait_impls: Vec<_> =
trait_impls.into_iter().map(|(trait_def_id, impls)|
TraitImpls {
trait_id: (trait_def_id.krate.as_u32(), trait_def_id.index),
impls: self.lazy_array(&impls),
}).collect();
self.lazy_array(&trait_impls)
}
}
}#[instrument(level = "debug", skip(self))]
2168 fn encode_impls(&mut self) -> LazyArray<TraitImpls> {
2169 empty_proc_macro!(self);
2170 let tcx = self.tcx;
2171 let mut trait_impls: FxIndexMap<DefId, Vec<(DefIndex, Option<SimplifiedType>)>> =
2172 FxIndexMap::default();
2173
2174 for id in tcx.hir_free_items() {
2175 let DefKind::Impl { of_trait } = tcx.def_kind(id.owner_id) else {
2176 continue;
2177 };
2178 let def_id = id.owner_id.to_def_id();
2179
2180 if of_trait {
2181 let header = tcx.impl_trait_header(def_id);
2182 record!(self.tables.impl_trait_header[def_id] <- header);
2183
2184 self.tables.defaultness.set(def_id.index, tcx.defaultness(def_id));
2185
2186 let trait_ref = header.trait_ref.instantiate_identity().skip_norm_wip();
2187 let simplified_self_ty = fast_reject::simplify_type(
2188 self.tcx,
2189 trait_ref.self_ty(),
2190 TreatParams::InstantiateWithInfer,
2191 );
2192 trait_impls
2193 .entry(trait_ref.def_id)
2194 .or_default()
2195 .push((id.owner_id.def_id.local_def_index, simplified_self_ty));
2196
2197 let trait_def = tcx.trait_def(trait_ref.def_id);
2198 if let Ok(mut an) = trait_def.ancestors(tcx, def_id)
2199 && let Some(specialization_graph::Node::Impl(parent)) = an.nth(1)
2200 {
2201 self.tables.impl_parent.set_some(def_id.index, parent.into());
2202 }
2203
2204 if tcx.is_lang_item(trait_ref.def_id, LangItem::CoerceUnsized) {
2207 let coerce_unsized_info = tcx.coerce_unsized_info(def_id).unwrap();
2208 record!(self.tables.coerce_unsized_info[def_id] <- coerce_unsized_info);
2209 }
2210 }
2211 }
2212
2213 let trait_impls: Vec<_> = trait_impls
2214 .into_iter()
2215 .map(|(trait_def_id, impls)| TraitImpls {
2216 trait_id: (trait_def_id.krate.as_u32(), trait_def_id.index),
2217 impls: self.lazy_array(&impls),
2218 })
2219 .collect();
2220
2221 self.lazy_array(&trait_impls)
2222 }
2223
2224 #[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::DEBUG <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_incoherent_impls",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(2224u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&[],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::DEBUG <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::DEBUG <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{ meta.fields().value_set(&[]) })
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: LazyArray<IncoherentImpls> =
loop {};
return __tracing_attr_fake_return;
}
{
if self.is_proc_macro { return LazyArray::default(); };
let tcx = self.tcx;
let all_impls: Vec<_> =
tcx.crate_inherent_impls(()).0.incoherent_impls.iter().map(|(&simp,
impls)|
IncoherentImpls {
self_ty: self.lazy(simp),
impls: self.lazy_array(impls.iter().map(|def_id|
def_id.local_def_index)),
}).collect();
self.lazy_array(&all_impls)
}
}
}#[instrument(level = "debug", skip(self))]
2225 fn encode_incoherent_impls(&mut self) -> LazyArray<IncoherentImpls> {
2226 empty_proc_macro!(self);
2227 let tcx = self.tcx;
2228
2229 let all_impls: Vec<_> = tcx
2230 .crate_inherent_impls(())
2231 .0
2232 .incoherent_impls
2233 .iter()
2234 .map(|(&simp, impls)| IncoherentImpls {
2235 self_ty: self.lazy(simp),
2236 impls: self.lazy_array(impls.iter().map(|def_id| def_id.local_def_index)),
2237 })
2238 .collect();
2239
2240 self.lazy_array(&all_impls)
2241 }
2242
2243 fn encode_exportable_items(&mut self) -> LazyArray<DefIndex> {
2244 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2245 self.lazy_array(self.tcx.exportable_items(LOCAL_CRATE).iter().map(|def_id| def_id.index))
2246 }
2247
2248 fn encode_stable_order_of_exportable_impls(&mut self) -> LazyArray<(DefIndex, usize)> {
2249 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2250 let stable_order_of_exportable_impls =
2251 self.tcx.stable_order_of_exportable_impls(LOCAL_CRATE);
2252 self.lazy_array(
2253 stable_order_of_exportable_impls.iter().map(|(def_id, idx)| (def_id.index, *idx)),
2254 )
2255 }
2256
2257 fn encode_exported_symbols(
2264 &mut self,
2265 exported_symbols: &[(ExportedSymbol<'tcx>, SymbolExportInfo)],
2266 ) -> LazyArray<(ExportedSymbol<'static>, SymbolExportInfo)> {
2267 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2268
2269 self.lazy_array(exported_symbols.iter().cloned())
2270 }
2271
2272 fn encode_dylib_dependency_formats(&mut self) -> LazyArray<Option<LinkagePreference>> {
2273 if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2274 let formats = self.tcx.dependency_formats(());
2275 if let Some(arr) = formats.get(&CrateType::Dylib) {
2276 return self.lazy_array(arr.iter().skip(1 ).map(
2277 |slot| match *slot {
2278 Linkage::NotLinked | Linkage::IncludedFromDylib => None,
2279
2280 Linkage::Dynamic => Some(LinkagePreference::RequireDynamic),
2281 Linkage::Static => Some(LinkagePreference::RequireStatic),
2282 },
2283 ));
2284 }
2285 LazyArray::default()
2286 }
2287}
2288
2289fn prefetch_mir(tcx: TyCtxt<'_>) {
2292 if !tcx.sess.opts.output_types.should_codegen() {
2293 return;
2295 }
2296
2297 let reachable_set = tcx.reachable_set(());
2298 par_for_each_in(tcx.mir_keys(()), |&&def_id| {
2299 if tcx.is_trivial_const(def_id) {
2300 return;
2301 }
2302 let (encode_const, encode_opt) = should_encode_mir(tcx, reachable_set, def_id);
2303
2304 if encode_const {
2305 tcx.ensure_done().mir_for_ctfe(def_id);
2306 }
2307 if encode_opt {
2308 tcx.ensure_done().optimized_mir(def_id);
2309 }
2310 if encode_opt || encode_const {
2311 tcx.ensure_done().promoted_mir(def_id);
2312 }
2313 })
2314}
2315
2316pub struct EncodedMetadata {
2340 full_metadata: Option<Mmap>,
2343 stub_metadata: Option<Vec<u8>>,
2346 path: Option<Box<Path>>,
2348 _temp_dir: Option<MaybeTempDir>,
2351}
2352
2353impl EncodedMetadata {
2354 #[inline]
2355 pub fn from_path(
2356 path: PathBuf,
2357 stub_path: Option<PathBuf>,
2358 temp_dir: Option<MaybeTempDir>,
2359 ) -> std::io::Result<Self> {
2360 let file = std::fs::File::open(&path)?;
2361 let file_metadata = file.metadata()?;
2362 if file_metadata.len() == 0 {
2363 return Ok(Self {
2364 full_metadata: None,
2365 stub_metadata: None,
2366 path: None,
2367 _temp_dir: None,
2368 });
2369 }
2370 let full_mmap = unsafe { Some(Mmap::map(file)?) };
2371
2372 let stub =
2373 if let Some(stub_path) = stub_path { Some(std::fs::read(stub_path)?) } else { None };
2374
2375 Ok(Self {
2376 full_metadata: full_mmap,
2377 stub_metadata: stub,
2378 path: Some(path.into()),
2379 _temp_dir: temp_dir,
2380 })
2381 }
2382
2383 #[inline]
2384 pub fn full(&self) -> &[u8] {
2385 &self.full_metadata.as_deref().unwrap_or_default()
2386 }
2387
2388 #[inline]
2389 pub fn stub_or_full(&self) -> &[u8] {
2390 self.stub_metadata.as_deref().unwrap_or(self.full())
2391 }
2392
2393 #[inline]
2394 pub fn path(&self) -> Option<&Path> {
2395 self.path.as_deref()
2396 }
2397}
2398
2399impl<S: Encoder> Encodable<S> for EncodedMetadata {
2400 fn encode(&self, s: &mut S) {
2401 self.stub_metadata.encode(s);
2402
2403 let slice = self.full();
2404 slice.encode(s)
2405 }
2406}
2407
2408impl<D: Decoder> Decodable<D> for EncodedMetadata {
2409 fn decode(d: &mut D) -> Self {
2410 let stub = <Option<Vec<u8>>>::decode(d);
2411
2412 let len = d.read_usize();
2413 let full_metadata = if len > 0 {
2414 let mut mmap = MmapMut::map_anon(len).unwrap();
2415 mmap.copy_from_slice(d.read_raw_bytes(len));
2416 Some(mmap.make_read_only().unwrap())
2417 } else {
2418 None
2419 };
2420
2421 Self { full_metadata, stub_metadata: stub, path: None, _temp_dir: None }
2422 }
2423}
2424
2425#[allow(clippy :: suspicious_else_formatting)]
{
let __tracing_attr_span;
let __tracing_attr_guard;
if ::tracing::Level::TRACE <= ::tracing::level_filters::STATIC_MAX_LEVEL
&&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() ||
{ false } {
__tracing_attr_span =
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("encode_metadata",
"rustc_metadata::rmeta::encoder", ::tracing::Level::TRACE,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(2425u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::tracing_core::field::FieldSet::new(&["path", "ref_path"],
::tracing_core::callsite::Identifier(&__CALLSITE)),
::tracing::metadata::Kind::SPAN)
};
::tracing::callsite::DefaultCallsite::new(&META)
};
let mut interest = ::tracing::subscriber::Interest::never();
if ::tracing::Level::TRACE <=
::tracing::level_filters::STATIC_MAX_LEVEL &&
::tracing::Level::TRACE <=
::tracing::level_filters::LevelFilter::current() &&
{ interest = __CALLSITE.interest(); !interest.is_never() }
&&
::tracing::__macro_support::__is_enabled(__CALLSITE.metadata(),
interest) {
let meta = __CALLSITE.metadata();
::tracing::Span::new(meta,
&{
#[allow(unused_imports)]
use ::tracing::field::{debug, display, Value};
let mut iter = meta.fields().iter();
meta.fields().value_set(&[(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&path)
as &dyn Value)),
(&::tracing::__macro_support::Iterator::next(&mut iter).expect("FieldSet corrupted (this is a bug)"),
::tracing::__macro_support::Option::Some(&::tracing::field::debug(&ref_path)
as &dyn Value))])
})
} else {
let span =
::tracing::__macro_support::__disabled_span(__CALLSITE.metadata());
{};
span
}
};
__tracing_attr_guard = __tracing_attr_span.enter();
}
#[warn(clippy :: suspicious_else_formatting)]
{
#[allow(unknown_lints, unreachable_code, clippy ::
diverging_sub_expression, clippy :: empty_loop, clippy ::
let_unit_value, clippy :: let_with_type_underscore, clippy ::
needless_return, clippy :: unreachable)]
if false {
let __tracing_attr_fake_return: () = loop {};
return __tracing_attr_fake_return;
}
{
tcx.dep_graph.assert_ignored();
if let Some(ref_path) = ref_path {
let _prof_timer =
tcx.prof.verbose_generic_activity("generate_crate_metadata_stub");
with_encode_metadata_header(tcx, ref_path,
|ecx|
{
let header: LazyValue<CrateHeader> =
ecx.lazy(CrateHeader {
name: tcx.crate_name(LOCAL_CRATE),
triple: tcx.sess.opts.target_triple.clone(),
hash: tcx.crate_hash(LOCAL_CRATE),
is_proc_macro_crate: false,
is_stub: true,
});
header.position.get()
})
}
let _prof_timer =
tcx.prof.verbose_generic_activity("generate_crate_metadata");
let dep_node = tcx.metadata_dep_node();
if tcx.dep_graph.is_fully_enabled() &&
let work_product_id =
WorkProductId::from_cgu_name("metadata") &&
let Some(work_product) =
tcx.dep_graph.previous_work_product(&work_product_id) &&
tcx.dep_graph.try_mark_green(tcx, &dep_node).is_some() {
let saved_path = &work_product.saved_files["rmeta"];
let incr_comp_session_dir =
tcx.sess.incr_comp_session_dir_opt().unwrap();
let source_file =
rustc_incremental::in_incr_comp_dir(&incr_comp_session_dir,
saved_path);
{
use ::tracing::__macro_support::Callsite as _;
static __CALLSITE: ::tracing::callsite::DefaultCallsite =
{
static META: ::tracing::Metadata<'static> =
{
::tracing_core::metadata::Metadata::new("event compiler/rustc_metadata/src/rmeta/encoder.rs:2460",
"rustc_metadata::rmeta::encoder", ::tracing::Level::DEBUG,
::tracing_core::__macro_support::Option::Some("compiler/rustc_metadata/src/rmeta/encoder.rs"),
::tracing_core::__macro_support::Option::Some(2460u32),
::tracing_core::__macro_support::Option::Some("rustc_metadata::rmeta::encoder"),
::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 preexisting metadata from {0:?} to {1:?}",
source_file, path) as &dyn Value))])
});
} else { ; }
};
match rustc_fs_util::link_or_copy(&source_file, path) {
Ok(_) => {}
Err(err) =>
tcx.dcx().emit_fatal(FailCreateFileEncoder { err }),
};
return;
};
if tcx.sess.threads() != 1 {
par_join(|| prefetch_mir(tcx),
||
{
let _ = tcx.exported_non_generic_symbols(LOCAL_CRATE);
let _ = tcx.exported_generic_symbols(LOCAL_CRATE);
});
}
tcx.dep_graph.with_task(dep_node, tcx,
||
{
with_encode_metadata_header(tcx, path,
|ecx|
{
let root = ecx.encode_crate_root();
ecx.opaque.flush();
tcx.prof.artifact_size("crate_metadata", "crate_metadata",
ecx.opaque.file().metadata().unwrap().len());
root.position.get()
})
}, None);
}
}
}#[instrument(level = "trace", skip(tcx))]
2426pub fn encode_metadata(tcx: TyCtxt<'_>, path: &Path, ref_path: Option<&Path>) {
2427 tcx.dep_graph.assert_ignored();
2430
2431 if let Some(ref_path) = ref_path {
2433 let _prof_timer = tcx.prof.verbose_generic_activity("generate_crate_metadata_stub");
2434
2435 with_encode_metadata_header(tcx, ref_path, |ecx| {
2436 let header: LazyValue<CrateHeader> = ecx.lazy(CrateHeader {
2437 name: tcx.crate_name(LOCAL_CRATE),
2438 triple: tcx.sess.opts.target_triple.clone(),
2439 hash: tcx.crate_hash(LOCAL_CRATE),
2440 is_proc_macro_crate: false,
2441 is_stub: true,
2442 });
2443 header.position.get()
2444 })
2445 }
2446
2447 let _prof_timer = tcx.prof.verbose_generic_activity("generate_crate_metadata");
2448
2449 let dep_node = tcx.metadata_dep_node();
2450
2451 if tcx.dep_graph.is_fully_enabled()
2453 && let work_product_id = WorkProductId::from_cgu_name("metadata")
2454 && let Some(work_product) = tcx.dep_graph.previous_work_product(&work_product_id)
2455 && tcx.dep_graph.try_mark_green(tcx, &dep_node).is_some()
2456 {
2457 let saved_path = &work_product.saved_files["rmeta"];
2458 let incr_comp_session_dir = tcx.sess.incr_comp_session_dir_opt().unwrap();
2459 let source_file = rustc_incremental::in_incr_comp_dir(&incr_comp_session_dir, saved_path);
2460 debug!("copying preexisting metadata from {source_file:?} to {path:?}");
2461 match rustc_fs_util::link_or_copy(&source_file, path) {
2462 Ok(_) => {}
2463 Err(err) => tcx.dcx().emit_fatal(FailCreateFileEncoder { err }),
2464 };
2465 return;
2466 };
2467
2468 if tcx.sess.threads() != 1 {
2469 par_join(
2473 || prefetch_mir(tcx),
2474 || {
2475 let _ = tcx.exported_non_generic_symbols(LOCAL_CRATE);
2476 let _ = tcx.exported_generic_symbols(LOCAL_CRATE);
2477 },
2478 );
2479 }
2480
2481 tcx.dep_graph.with_task(
2484 dep_node,
2485 tcx,
2486 || {
2487 with_encode_metadata_header(tcx, path, |ecx| {
2488 let root = ecx.encode_crate_root();
2491
2492 ecx.opaque.flush();
2494 tcx.prof.artifact_size(
2496 "crate_metadata",
2497 "crate_metadata",
2498 ecx.opaque.file().metadata().unwrap().len(),
2499 );
2500
2501 root.position.get()
2502 })
2503 },
2504 None,
2505 );
2506}
2507
2508fn with_encode_metadata_header(
2509 tcx: TyCtxt<'_>,
2510 path: &Path,
2511 f: impl FnOnce(&mut EncodeContext<'_, '_>) -> usize,
2512) {
2513 let mut encoder = opaque::FileEncoder::new(path)
2514 .unwrap_or_else(|err| tcx.dcx().emit_fatal(FailCreateFileEncoder { err }));
2515 encoder.emit_raw_bytes(METADATA_HEADER);
2516
2517 encoder.emit_raw_bytes(&0u64.to_le_bytes());
2519
2520 let source_map_files = tcx.sess.source_map().files();
2521 let source_file_cache = (Arc::clone(&source_map_files[0]), 0);
2522 let required_source_files = Some(FxIndexSet::default());
2523 drop(source_map_files);
2524
2525 let hygiene_ctxt = HygieneEncodeContext::default();
2526
2527 let mut ecx = EncodeContext {
2528 opaque: encoder,
2529 tcx,
2530 feat: tcx.features(),
2531 tables: Default::default(),
2532 lazy_state: LazyState::NoNode,
2533 span_shorthands: Default::default(),
2534 type_shorthands: Default::default(),
2535 predicate_shorthands: Default::default(),
2536 source_file_cache,
2537 interpret_allocs: Default::default(),
2538 required_source_files,
2539 is_proc_macro: tcx.crate_types().contains(&CrateType::ProcMacro),
2540 hygiene_ctxt: &hygiene_ctxt,
2541 symbol_index_table: Default::default(),
2542 };
2543
2544 rustc_version(tcx.sess.cfg_version).encode(&mut ecx);
2546
2547 let root_position = f(&mut ecx);
2548
2549 if let Err((path, err)) = ecx.opaque.finish() {
2553 tcx.dcx().emit_fatal(FailWriteFile { path: &path, err });
2554 }
2555
2556 let file = ecx.opaque.file();
2557 if let Err(err) = encode_root_position(file, root_position) {
2558 tcx.dcx().emit_fatal(FailWriteFile { path: ecx.opaque.path(), err });
2559 }
2560}
2561
2562fn encode_root_position(mut file: &File, pos: usize) -> Result<(), std::io::Error> {
2563 let pos_before_seek = file.stream_position().unwrap();
2565
2566 let header = METADATA_HEADER.len();
2568 file.seek(std::io::SeekFrom::Start(header as u64))?;
2569 file.write_all(&pos.to_le_bytes())?;
2570
2571 file.seek(std::io::SeekFrom::Start(pos_before_seek))?;
2573 Ok(())
2574}
2575
2576pub(crate) fn provide(providers: &mut Providers) {
2577 *providers = Providers {
2578 doc_link_resolutions: |tcx, def_id| {
2579 tcx.resolutions(())
2580 .doc_link_resolutions
2581 .get(&def_id)
2582 .unwrap_or_else(|| ::rustc_middle::util::bug::span_bug_fmt(tcx.def_span(def_id),
format_args!("no resolutions for a doc link"))span_bug!(tcx.def_span(def_id), "no resolutions for a doc link"))
2583 },
2584 doc_link_traits_in_scope: |tcx, def_id| {
2585 tcx.resolutions(()).doc_link_traits_in_scope.get(&def_id).unwrap_or_else(|| {
2586 ::rustc_middle::util::bug::span_bug_fmt(tcx.def_span(def_id),
format_args!("no traits in scope for a doc link"))span_bug!(tcx.def_span(def_id), "no traits in scope for a doc link")
2587 })
2588 },
2589
2590 ..*providers
2591 }
2592}
2593
2594pub fn rendered_const<'tcx>(tcx: TyCtxt<'tcx>, body: &hir::Body<'_>, def_id: LocalDefId) -> String {
2622 let value = body.value;
2623
2624 #[derive(#[automatically_derived]
impl ::core::cmp::PartialEq for Classification {
#[inline]
fn eq(&self, other: &Classification) -> bool {
let __self_discr = ::core::intrinsics::discriminant_value(self);
let __arg1_discr = ::core::intrinsics::discriminant_value(other);
__self_discr == __arg1_discr
}
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for Classification {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_fields_are_eq(&self) {}
}Eq)]
2625 enum Classification {
2626 Literal,
2627 Simple,
2628 Complex,
2629 }
2630
2631 use Classification::*;
2632
2633 fn classify(expr: &hir::Expr<'_>) -> Classification {
2634 match &expr.kind {
2635 hir::ExprKind::Unary(hir::UnOp::Neg, expr) => {
2636 if #[allow(non_exhaustive_omitted_patterns)] match expr.kind {
hir::ExprKind::Lit(_) => true,
_ => false,
}matches!(expr.kind, hir::ExprKind::Lit(_)) { Literal } else { Complex }
2637 }
2638 hir::ExprKind::Lit(_) => Literal,
2639 hir::ExprKind::Tup([]) => Simple,
2640 hir::ExprKind::Block(hir::Block { stmts: [], expr: Some(expr), .. }, _) => {
2641 if classify(expr) == Complex { Complex } else { Simple }
2642 }
2643 hir::ExprKind::Path(hir::QPath::Resolved(_, hir::Path { segments, .. })) => {
2648 if segments.iter().all(|segment| segment.args.is_none()) { Simple } else { Complex }
2649 }
2650 hir::ExprKind::Path(hir::QPath::TypeRelative(..)) => Simple,
2653 _ => Complex,
2654 }
2655 }
2656
2657 match classify(value) {
2658 Literal
2668 if !value.span.from_expansion()
2669 && let Ok(snippet) = tcx.sess.source_map().span_to_snippet(value.span) =>
2670 {
2671 snippet
2672 }
2673
2674 Literal | Simple => id_to_string(&tcx, body.id().hir_id),
2677
2678 Complex => {
2682 if tcx.def_kind(def_id) == DefKind::AnonConst {
2683 "{ _ }".to_owned()
2684 } else {
2685 "_".to_owned()
2686 }
2687 }
2688 }
2689}