Skip to main content

rustc_metadata/rmeta/
encoder.rs

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_feature::Features;
14use rustc_hir as hir;
15use rustc_hir::attrs::{AttributeKind, EncodeCrossCrate};
16use rustc_hir::def_id::{CRATE_DEF_ID, CRATE_DEF_INDEX, LOCAL_CRATE, LocalDefId, LocalDefIdSet};
17use rustc_hir::definitions::DefPathData;
18use rustc_hir::find_attr;
19use rustc_hir_pretty::id_to_string;
20use rustc_middle::dep_graph::WorkProductId;
21use rustc_middle::middle::dependency_format::Linkage;
22use rustc_middle::mir::interpret;
23use rustc_middle::query::Providers;
24use rustc_middle::traits::specialization_graph;
25use rustc_middle::ty::AssocContainer;
26use rustc_middle::ty::codec::TyEncoder;
27use rustc_middle::ty::fast_reject::{self, TreatParams};
28use rustc_middle::{bug, span_bug};
29use rustc_serialize::{Decodable, Decoder, Encodable, Encoder, opaque};
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    // This is used to speed up Span encoding.
56    // The `usize` is an index into the `MonotonicVec`
57    // that stores the `SourceFile`
58    source_file_cache: (Arc<SourceFile>, usize),
59    // The indices (into the `SourceMap`'s `MonotonicVec`)
60    // of all of the `SourceFiles` that we need to serialize.
61    // When we serialize a `Span`, we insert the index of its
62    // `SourceFile` into the `FxIndexSet`.
63    // The order inside the `FxIndexSet` is used as on-disk
64    // order of `SourceFiles`, and encoded inside `Span`s.
65    required_source_files: Option<FxIndexSet<usize>>,
66    is_proc_macro: bool,
67    hygiene_ctxt: &'a HygieneEncodeContext,
68    // Used for both `Symbol`s and `ByteSymbol`s.
69    symbol_index_table: FxHashMap<u32, usize>,
70}
71
72/// If the current crate is a proc-macro, returns early with `LazyArray::default()`.
73/// This is useful for skipping the encoding of things that aren't needed
74/// for proc-macro crates.
75macro_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            // We will only write details for local expansions. Non-local expansions will fetch
163            // data from the corresponding crate's metadata.
164            // FIXME(#43047) FIXME(#74731) We may eventually want to avoid relying on external
165            // metadata from proc-macro crates.
166            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                // If an offset is smaller than the absolute position, we encode with the offset.
176                // This saves space since smaller numbers encode in less bits.
177                let last_location = *o.get();
178                // This cannot underflow. Metadata is written with increasing position(), so any
179                // previously saved offset must be smaller than the current position.
180                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                // Data is encoded with a SpanTag prefix (see below).
201                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        // Don't serialize any `SyntaxContext`s from a proc-macro crate,
224        // since we don't load proc-macro dependencies during serialization.
225        // This means that any hygiene information from macros used *within*
226        // a proc-macro crate (e.g. invoking a macro that expands to a proc-macro
227        // definition) will be lost.
228        //
229        // This can show up in two ways:
230        //
231        // 1. Any hygiene information associated with identifier of
232        // a proc macro (e.g. `#[proc_macro] pub fn $name`) will be lost.
233        // Since proc-macros can only be invoked from a different crate,
234        // real code should never need to care about this.
235        //
236        // 2. Using `Span::def_site` or `Span::mixed_site` will not
237        // include any hygiene information associated with the definition
238        // site. This means that a proc-macro cannot emit a `$crate`
239        // identifier which resolves to one of its dependencies,
240        // which also should never come up in practice.
241        //
242        // Additionally, this affects `Span::parent`, and any other
243        // span inspection APIs that would otherwise allow traversing
244        // the `SyntaxContexts` associated with a span.
245        //
246        // None of these user-visible effects should result in any
247        // cross-crate inconsistencies (getting one behavior in the same
248        // crate, and a different behavior in another crate) due to the
249        // limited surface that proc-macros can expose.
250        //
251        // IMPORTANT: If this is ever changed, be sure to update
252        // `rustc_span::hygiene::raw_encode_expn_id` to handle
253        // encoding `ExpnData` for proc-macro crates.
254        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        // The Span infrastructure should make sure that this invariant holds:
266        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            // Unfortunately, macro expansion still sometimes generates Spans
279            // that malformed in this way.
280            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        // There are two possible cases here:
289        // 1. This span comes from a 'foreign' crate - e.g. some crate upstream of the
290        // crate we are writing metadata for. When the metadata for *this* crate gets
291        // deserialized, the deserializer will need to know which crate it originally came
292        // from. We use `TAG_VALID_SPAN_FOREIGN` to indicate that a `CrateNum` should
293        // be deserialized after the rest of the span data, which tells the deserializer
294        // which crate contains the source map information.
295        // 2. This span comes from our own crate. No special handling is needed - we just
296        // write `TAG_VALID_SPAN_LOCAL` to let the deserializer know that it should use
297        // our own source map information.
298        //
299        // If we're a proc-macro crate, we always treat this as a local `Span`.
300        // In `encode_source_map`, we serialize foreign `SourceFile`s into our metadata
301        // if we're a proc-macro crate.
302        // This allows us to avoid loading the dependencies of proc-macro crates: all of
303        // the information we need to decode `Span`s is stored in the proc-macro crate.
304        let (kind, metadata_index) = if source_file.is_imported() && !s.is_proc_macro {
305            // To simplify deserialization, we 'rebase' this span onto the crate it originally came
306            // from (the crate that 'owns' the file it references. These rebased 'lo' and 'hi'
307            // values are relative to the source map information for the 'foreign' crate whose
308            // CrateNum we write into the metadata. This allows `imported_source_files` to binary
309            // search through the 'foreign' crate's source map information, using the
310            // deserialized 'lo' and 'hi' values directly.
311            //
312            // All of this logic ensures that the final result of deserialization is a 'normal'
313            // Span that can be used without any additional trouble.
314            let metadata_index = {
315                // Introduce a new scope so that we drop the 'read()' temporary
316                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            // Record the fact that we need to encode the data for this `SourceFile`
325            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        // Encode the start position relative to the file start, so we profit more from the
335        // variable-length integer encoding.
336        let lo = self.lo - source_file.start_pos;
337
338        // Encode length which is usually less than span.hi and profits more
339        // from the variable-length integer encoding that we use.
340        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        // Encode the index of the `SourceFile` for the span, in order to make decoding faster.
353        metadata_index.encode(s);
354
355        if kind == SpanKind::Foreign {
356            // This needs to be two lines to avoid holding the `s.source_file_cache`
357            // while calling `cnum.encode(s)`
358            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
393// Shorthand for `$self.$tables.$table.set_some($def_id.index, $self.lazy($value))`, which would
394// normally need extra variables to avoid errors about multiple mutable borrows.
395macro_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
405// Shorthand for `$self.$tables.$table.set_some($def_id.index, $self.lazy_array($value))`, which would
406// normally need extra variables to avoid errors about multiple mutable borrows.
407macro_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/byte symbol is predefined, emit tag and symbol index
491        if Symbol::is_predefined(index) {
492            self.opaque.emit_u8(SYMBOL_PREDEFINED);
493            self.opaque.emit_u32(index);
494        } else {
495            // otherwise write it as string or as offset to it
496            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        // By replacing the `Option` with `None`, we ensure that we can't
541        // accidentally serialize any more `Span`s after the source map encoding
542        // is done.
543        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        // Only serialize `SourceFile`s that were used during the encoding of a `Span`.
550        //
551        // The order in which we encode source files is important here: the on-disk format for
552        // `Span` contains the index of the corresponding `SourceFile`.
553        for (on_disk_index, &source_file_index) in required_source_files.iter().enumerate() {
554            let source_file = &all_source_files[source_file_index];
555            // Don't serialize imported `SourceFile`s, unless we're in a proc-macro crate.
556            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            // At export time we expand all source file paths to absolute paths because
559            // downstream compilation sessions can have a different compiler working
560            // directory, so relative paths from this or any other upstream crate
561            // won't be valid anymore.
562            //
563            // At this point we also erase the actual on-disk path and only keep
564            // the remapped version -- as is necessary for reproducible builds.
565            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                    // expanded code, not from a file
575                }
576            };
577
578            // We're serializing this `SourceFile` into our crate metadata,
579            // so mark it as coming from this crate.
580            // This also ensures that we don't try to deserialize the
581            // `CrateNum` for a proc-macro dependency - since proc macro
582            // dependencies aren't loaded when we deserialize a proc-macro,
583            // trying to remap the `CrateNum` would fail.
584            if self.is_proc_macro {
585                adapted_source_file.cnum = LOCAL_CRATE;
586            }
587
588            // Update the `StableSourceFileId` to make sure it incorporates the
589            // id of the current crate. This way it will be unique within the
590            // crate graph during downstream compilation sessions.
591            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        // We have already encoded some things. Get their combined size from the current position.
618        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        // Encode the def IDs of traits, for rustdoc and diagnostics.
646        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        // Encode the def IDs of impls, for coherence checking.
649        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 we have found new ids, serialize those, too
664                if n == new_n {
665                    // otherwise, abort
666                    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        // Encode the proc macro data. This affects `tables`, so we need to do this before we
681        // encode the tables. This overwrites def_keys, so it must happen after
682        // encode_def_path_table.
683        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        // Encode exported symbols info. This is prefetched in `encode_metadata`.
696        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        // Encode the hygiene data.
705        // IMPORTANT: this *must* be the last thing that we encode (other than `SourceMap`). The
706        // process of encoding other items (e.g. `optimized_mir`) may cause us to load data from
707        // the incremental cache. If this causes us to deserialize a `Span`, then we may load
708        // additional `SyntaxContext`s into the global `HygieneData`. Therefore, we need to encode
709        // the hygiene data last to ensure that we encode any `SyntaxContext`s that might be used.
710        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        // Encode source_map. This needs to be done last, because encoding `Span`s tells us which
715        // `SourceFiles` we actually need to encode.
716        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
719        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.def_path_hash(LOCAL_CRATE.as_def_id()).stable_crate_id(),
                            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,
                            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", || {
720            let attrs = tcx.hir_krate_attrs();
721            self.lazy(CrateRoot {
722                header: CrateHeader {
723                    name: tcx.crate_name(LOCAL_CRATE),
724                    triple: tcx.sess.opts.target_triple.clone(),
725                    hash: tcx.crate_hash(LOCAL_CRATE),
726                    is_proc_macro_crate: proc_macro_data.is_some(),
727                    is_stub: false,
728                },
729                extra_filename: tcx.sess.opts.cg.extra_filename.clone(),
730                stable_crate_id: tcx.def_path_hash(LOCAL_CRATE.as_def_id()).stable_crate_id(),
731                required_panic_strategy: tcx.required_panic_strategy(LOCAL_CRATE),
732                panic_in_drop_strategy: tcx.sess.opts.unstable_opts.panic_in_drop,
733                edition: tcx.sess.edition(),
734                has_global_allocator: tcx.has_global_allocator(LOCAL_CRATE),
735                has_alloc_error_handler: tcx.has_alloc_error_handler(LOCAL_CRATE),
736                has_panic_handler: tcx.has_panic_handler(LOCAL_CRATE),
737                has_default_lib_allocator: find_attr!(attrs, DefaultLibAllocator),
738                externally_implementable_items,
739                proc_macro_data,
740                debugger_visualizers,
741                compiler_builtins: find_attr!(attrs, CompilerBuiltins),
742                needs_allocator: find_attr!(attrs, NeedsAllocator),
743                needs_panic_runtime: find_attr!(attrs, NeedsPanicRuntime),
744                no_builtins: find_attr!(attrs, NoBuiltins),
745                panic_runtime: find_attr!(attrs, PanicRuntime),
746                profiler_runtime: find_attr!(attrs, ProfilerRuntime),
747                symbol_mangling_version: tcx.sess.opts.get_symbol_mangling_version(),
748
749                crate_deps,
750                dylib_dependency_formats,
751                lib_features,
752                stability_implications,
753                lang_items,
754                diagnostic_items,
755                lang_items_missing,
756                stripped_cfg_items,
757                native_libraries,
758                foreign_modules,
759                source_map,
760                target_modifiers,
761                traits,
762                impls,
763                incoherent_impls,
764                exportable_items,
765                stable_order_of_exportable_impls,
766                exported_non_generic_symbols,
767                exported_generic_symbols,
768                interpret_alloc_index,
769                tables,
770                syntax_contexts,
771                expn_data,
772                expn_hashes,
773                def_path_hash_map,
774                specialization_enabled_in: tcx.specialization_enabled_in(LOCAL_CRATE),
775            })
776        });
777
778        let total_bytes = self.position();
779
780        let computed_total_bytes: usize = stats.iter().map(|(_, size)| size).sum();
781        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);
782
783        if tcx.sess.opts.unstable_opts.meta_stats {
784            use std::fmt::Write;
785
786            self.opaque.flush();
787
788            // Rewind and re-read all the metadata to count the zero bytes we wrote.
789            let pos_before_rewind = self.opaque.file().stream_position().unwrap();
790            let mut zero_bytes = 0;
791            self.opaque.file().rewind().unwrap();
792            let file = std::io::BufReader::new(self.opaque.file());
793            for e in file.bytes() {
794                if e.unwrap() == 0 {
795                    zero_bytes += 1;
796                }
797            }
798            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);
799
800            stats.sort_by_key(|&(_, usize)| usize);
801            stats.reverse(); // bigger items first
802
803            let prefix = "meta-stats";
804            let perc = |bytes| (bytes * 100) as f64 / total_bytes as f64;
805
806            let section_w = 23;
807            let size_w = 10;
808            let banner_w = 64;
809
810            // We write all the text into a string and print it with a single
811            // `eprint!`. This is an attempt to minimize interleaved text if multiple
812            // rustc processes are printing macro-stats at the same time (e.g. with
813            // `RUSTFLAGS='-Zmeta-stats' cargo build`). It still doesn't guarantee
814            // non-interleaving, though.
815            let mut s = String::new();
816            _ = s.write_fmt(format_args!("{1} {0}\n", "=".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "=".repeat(banner_w));
817            _ = 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));
818            _ = 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");
819            _ = s.write_fmt(format_args!("{1} {0}\n", "-".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "-".repeat(banner_w));
820            for (label, size) in stats {
821                _ = 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!(
822                    s,
823                    "{prefix} {:<section_w$}{:>size_w$} ({:4.1}%)",
824                    label,
825                    usize_with_underscores(size),
826                    perc(size)
827                );
828            }
829            _ = s.write_fmt(format_args!("{1} {0}\n", "-".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "-".repeat(banner_w));
830            _ = 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!(
831                s,
832                "{prefix} {:<section_w$}{:>size_w$} (of which {:.1}% are zero bytes)",
833                "Total",
834                usize_with_underscores(total_bytes),
835                perc(zero_bytes)
836            );
837            _ = s.write_fmt(format_args!("{1} {0}\n", "=".repeat(banner_w), prefix))writeln!(s, "{prefix} {}", "=".repeat(banner_w));
838            { ::std::io::_eprint(format_args!("{0}", s)); };eprint!("{s}");
839        }
840
841        root
842    }
843}
844
845struct AnalyzeAttrState<'a> {
846    is_exported: bool,
847    is_doc_hidden: bool,
848    features: &'a Features,
849}
850
851/// Returns whether an attribute needs to be recorded in metadata, that is, if it's usable and
852/// useful in downstream crates. Local-only attributes are an obvious example, but some
853/// rustdoc-specific attributes can equally be of use while documenting the current crate only.
854///
855/// Removing these superfluous attributes speeds up compilation by making the metadata smaller.
856///
857/// Note: the `is_exported` parameter is used to cache whether the given `DefId` has a public
858/// visibility: this is a piece of data that can be computed once per defid, and not once per
859/// attribute. Some attributes would only be usable downstream if they are public.
860#[inline]
861fn analyze_attr(attr: &hir::Attribute, state: &mut AnalyzeAttrState<'_>) -> bool {
862    let mut should_encode = false;
863    if let hir::Attribute::Parsed(p) = attr
864        && p.encode_cross_crate() == EncodeCrossCrate::No
865    {
866        // Attributes not marked encode-cross-crate don't need to be encoded for downstream crates.
867    } else if let Some(name) = attr.name()
868        && !rustc_feature::encode_cross_crate(name)
869    {
870        // Attributes not marked encode-cross-crate don't need to be encoded for downstream crates.
871    } else if let hir::Attribute::Parsed(AttributeKind::DocComment { .. }) = attr {
872        // We keep all doc comments reachable to rustdoc because they might be "imported" into
873        // downstream crates if they use `#[doc(inline)]` to copy an item's documentation into
874        // their own.
875        if state.is_exported {
876            should_encode = true;
877        }
878    } else if let hir::Attribute::Parsed(AttributeKind::Doc(d)) = attr {
879        should_encode = true;
880        if d.hidden.is_some() {
881            state.is_doc_hidden = true;
882        }
883    } else if let &[sym::diagnostic, seg] = &*attr.path() {
884        should_encode = rustc_feature::is_stable_diagnostic_attribute(seg, state.features);
885    } else {
886        should_encode = true;
887    }
888    should_encode
889}
890
891fn should_encode_span(def_kind: DefKind) -> bool {
892    match def_kind {
893        DefKind::Mod
894        | DefKind::Struct
895        | DefKind::Union
896        | DefKind::Enum
897        | DefKind::Variant
898        | DefKind::Trait
899        | DefKind::TyAlias
900        | DefKind::ForeignTy
901        | DefKind::TraitAlias
902        | DefKind::AssocTy
903        | DefKind::TyParam
904        | DefKind::ConstParam
905        | DefKind::LifetimeParam
906        | DefKind::Fn
907        | DefKind::Const
908        | DefKind::Static { .. }
909        | DefKind::Ctor(..)
910        | DefKind::AssocFn
911        | DefKind::AssocConst
912        | DefKind::Macro(_)
913        | DefKind::ExternCrate
914        | DefKind::Use
915        | DefKind::AnonConst
916        | DefKind::InlineConst
917        | DefKind::OpaqueTy
918        | DefKind::Field
919        | DefKind::Impl { .. }
920        | DefKind::Closure
921        | DefKind::SyntheticCoroutineBody => true,
922        DefKind::ForeignMod | DefKind::GlobalAsm => false,
923    }
924}
925
926fn should_encode_attrs(def_kind: DefKind) -> bool {
927    match def_kind {
928        DefKind::Mod
929        | DefKind::Struct
930        | DefKind::Union
931        | DefKind::Enum
932        | DefKind::Variant
933        | DefKind::Trait
934        | DefKind::TyAlias
935        | DefKind::ForeignTy
936        | DefKind::TraitAlias
937        | DefKind::AssocTy
938        | DefKind::Fn
939        | DefKind::Const
940        | DefKind::Static { nested: false, .. }
941        | DefKind::AssocFn
942        | DefKind::AssocConst
943        | DefKind::Macro(_)
944        | DefKind::Field
945        | DefKind::Impl { .. } => true,
946        // Tools may want to be able to detect their tool lints on
947        // closures from upstream crates, too. This is used by
948        // https://github.com/model-checking/kani and is not a performance
949        // or maintenance issue for us.
950        DefKind::Closure => true,
951        DefKind::SyntheticCoroutineBody => false,
952        DefKind::TyParam
953        | DefKind::ConstParam
954        | DefKind::Ctor(..)
955        | DefKind::ExternCrate
956        | DefKind::Use
957        | DefKind::ForeignMod
958        | DefKind::AnonConst
959        | DefKind::InlineConst
960        | DefKind::OpaqueTy
961        | DefKind::LifetimeParam
962        | DefKind::Static { nested: true, .. }
963        | DefKind::GlobalAsm => false,
964    }
965}
966
967fn should_encode_expn_that_defined(def_kind: DefKind) -> bool {
968    match def_kind {
969        DefKind::Mod
970        | DefKind::Struct
971        | DefKind::Union
972        | DefKind::Enum
973        | DefKind::Variant
974        | DefKind::Trait
975        | DefKind::Impl { .. } => true,
976        DefKind::TyAlias
977        | DefKind::ForeignTy
978        | DefKind::TraitAlias
979        | DefKind::AssocTy
980        | DefKind::TyParam
981        | DefKind::Fn
982        | DefKind::Const
983        | DefKind::ConstParam
984        | DefKind::Static { .. }
985        | DefKind::Ctor(..)
986        | DefKind::AssocFn
987        | DefKind::AssocConst
988        | DefKind::Macro(_)
989        | DefKind::ExternCrate
990        | DefKind::Use
991        | DefKind::ForeignMod
992        | DefKind::AnonConst
993        | DefKind::InlineConst
994        | DefKind::OpaqueTy
995        | DefKind::Field
996        | DefKind::LifetimeParam
997        | DefKind::GlobalAsm
998        | DefKind::Closure
999        | DefKind::SyntheticCoroutineBody => false,
1000    }
1001}
1002
1003fn should_encode_visibility(def_kind: DefKind) -> bool {
1004    match def_kind {
1005        DefKind::Mod
1006        | DefKind::Struct
1007        | DefKind::Union
1008        | DefKind::Enum
1009        | DefKind::Variant
1010        | DefKind::Trait
1011        | DefKind::TyAlias
1012        | DefKind::ForeignTy
1013        | DefKind::TraitAlias
1014        | DefKind::AssocTy
1015        | DefKind::Fn
1016        | DefKind::Const
1017        | DefKind::Static { nested: false, .. }
1018        | DefKind::Ctor(..)
1019        | DefKind::AssocFn
1020        | DefKind::AssocConst
1021        | DefKind::Macro(..)
1022        | DefKind::Field => true,
1023        DefKind::Use
1024        | DefKind::ForeignMod
1025        | DefKind::TyParam
1026        | DefKind::ConstParam
1027        | DefKind::LifetimeParam
1028        | DefKind::AnonConst
1029        | DefKind::InlineConst
1030        | DefKind::Static { nested: true, .. }
1031        | DefKind::OpaqueTy
1032        | DefKind::GlobalAsm
1033        | DefKind::Impl { .. }
1034        | DefKind::Closure
1035        | DefKind::ExternCrate
1036        | DefKind::SyntheticCoroutineBody => false,
1037    }
1038}
1039
1040fn should_encode_stability(def_kind: DefKind) -> bool {
1041    match def_kind {
1042        DefKind::Mod
1043        | DefKind::Ctor(..)
1044        | DefKind::Variant
1045        | DefKind::Field
1046        | DefKind::Struct
1047        | DefKind::AssocTy
1048        | DefKind::AssocFn
1049        | DefKind::AssocConst
1050        | DefKind::TyParam
1051        | DefKind::ConstParam
1052        | DefKind::Static { .. }
1053        | DefKind::Const
1054        | DefKind::Fn
1055        | DefKind::ForeignMod
1056        | DefKind::TyAlias
1057        | DefKind::OpaqueTy
1058        | DefKind::Enum
1059        | DefKind::Union
1060        | DefKind::Impl { .. }
1061        | DefKind::Trait
1062        | DefKind::TraitAlias
1063        | DefKind::Macro(..)
1064        | DefKind::ForeignTy => true,
1065        DefKind::Use
1066        | DefKind::LifetimeParam
1067        | DefKind::AnonConst
1068        | DefKind::InlineConst
1069        | DefKind::GlobalAsm
1070        | DefKind::Closure
1071        | DefKind::ExternCrate
1072        | DefKind::SyntheticCoroutineBody => false,
1073    }
1074}
1075
1076/// Whether we should encode MIR. Return a pair, resp. for CTFE and for LLVM.
1077///
1078/// Computing, optimizing and encoding the MIR is a relatively expensive operation.
1079/// We want to avoid this work when not required. Therefore:
1080/// - we only compute `mir_for_ctfe` on items with const-eval semantics;
1081/// - we skip `optimized_mir` for check runs.
1082/// - we only encode `optimized_mir` that could be generated in other crates, that is, a code that
1083///   is either generic or has inline hint, and is reachable from the other crates (contained
1084///   in reachable set).
1085///
1086/// Note: Reachable set describes definitions that might be generated or referenced from other
1087/// crates and it can be used to limit optimized MIR that needs to be encoded. On the other hand,
1088/// the reachable set doesn't have much to say about which definitions might be evaluated at compile
1089/// time in other crates, so it cannot be used to omit CTFE MIR. For example, `f` below is
1090/// unreachable and yet it can be evaluated in other crates:
1091///
1092/// ```
1093/// const fn f() -> usize { 0 }
1094/// pub struct S { pub a: [usize; f()] }
1095/// ```
1096fn should_encode_mir(
1097    tcx: TyCtxt<'_>,
1098    reachable_set: &LocalDefIdSet,
1099    def_id: LocalDefId,
1100) -> (bool, bool) {
1101    match tcx.def_kind(def_id) {
1102        // instance_mir uses mir_for_ctfe rather than optimized_mir for constructors
1103        DefKind::Ctor(_, _) => (true, false),
1104        // Constants
1105        DefKind::AnonConst | DefKind::InlineConst | DefKind::AssocConst | DefKind::Const => {
1106            (true, false)
1107        }
1108        // Coroutines require optimized MIR to compute layout.
1109        DefKind::Closure if tcx.is_coroutine(def_id.to_def_id()) => (false, true),
1110        DefKind::SyntheticCoroutineBody => (false, true),
1111        // Full-fledged functions + closures
1112        DefKind::AssocFn | DefKind::Fn | DefKind::Closure => {
1113            let opt = tcx.sess.opts.unstable_opts.always_encode_mir
1114                || (tcx.sess.opts.output_types.should_codegen()
1115                    && reachable_set.contains(&def_id)
1116                    && (tcx.generics_of(def_id).requires_monomorphization(tcx)
1117                        || tcx.cross_crate_inlinable(def_id)));
1118            // The function has a `const` modifier or is in a `const trait`.
1119            let is_const_fn = tcx.is_const_fn(def_id.to_def_id());
1120            (is_const_fn, opt)
1121        }
1122        // The others don't have MIR.
1123        _ => (false, false),
1124    }
1125}
1126
1127fn should_encode_variances<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, def_kind: DefKind) -> bool {
1128    match def_kind {
1129        DefKind::Struct
1130        | DefKind::Union
1131        | DefKind::Enum
1132        | DefKind::OpaqueTy
1133        | DefKind::Fn
1134        | DefKind::Ctor(..)
1135        | DefKind::AssocFn => true,
1136        DefKind::AssocTy => {
1137            // Only encode variances for RPITITs (for traits)
1138            #[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 { .. }))
1139        }
1140        DefKind::Mod
1141        | DefKind::Variant
1142        | DefKind::Field
1143        | DefKind::AssocConst
1144        | DefKind::TyParam
1145        | DefKind::ConstParam
1146        | DefKind::Static { .. }
1147        | DefKind::Const
1148        | DefKind::ForeignMod
1149        | DefKind::Impl { .. }
1150        | DefKind::Trait
1151        | DefKind::TraitAlias
1152        | DefKind::Macro(..)
1153        | DefKind::ForeignTy
1154        | DefKind::Use
1155        | DefKind::LifetimeParam
1156        | DefKind::AnonConst
1157        | DefKind::InlineConst
1158        | DefKind::GlobalAsm
1159        | DefKind::Closure
1160        | DefKind::ExternCrate
1161        | DefKind::SyntheticCoroutineBody => false,
1162        DefKind::TyAlias => tcx.type_alias_is_lazy(def_id),
1163    }
1164}
1165
1166fn should_encode_generics(def_kind: DefKind) -> bool {
1167    match def_kind {
1168        DefKind::Struct
1169        | DefKind::Union
1170        | DefKind::Enum
1171        | DefKind::Variant
1172        | DefKind::Trait
1173        | DefKind::TyAlias
1174        | DefKind::ForeignTy
1175        | DefKind::TraitAlias
1176        | DefKind::AssocTy
1177        | DefKind::Fn
1178        | DefKind::Const
1179        | DefKind::Static { .. }
1180        | DefKind::Ctor(..)
1181        | DefKind::AssocFn
1182        | DefKind::AssocConst
1183        | DefKind::AnonConst
1184        | DefKind::InlineConst
1185        | DefKind::OpaqueTy
1186        | DefKind::Impl { .. }
1187        | DefKind::Field
1188        | DefKind::TyParam
1189        | DefKind::Closure
1190        | DefKind::SyntheticCoroutineBody => true,
1191        DefKind::Mod
1192        | DefKind::ForeignMod
1193        | DefKind::ConstParam
1194        | DefKind::Macro(..)
1195        | DefKind::Use
1196        | DefKind::LifetimeParam
1197        | DefKind::GlobalAsm
1198        | DefKind::ExternCrate => false,
1199    }
1200}
1201
1202fn should_encode_type(tcx: TyCtxt<'_>, def_id: LocalDefId, def_kind: DefKind) -> bool {
1203    match def_kind {
1204        DefKind::Struct
1205        | DefKind::Union
1206        | DefKind::Enum
1207        | DefKind::Variant
1208        | DefKind::Ctor(..)
1209        | DefKind::Field
1210        | DefKind::Fn
1211        | DefKind::Const
1212        | DefKind::Static { nested: false, .. }
1213        | DefKind::TyAlias
1214        | DefKind::ForeignTy
1215        | DefKind::Impl { .. }
1216        | DefKind::AssocFn
1217        | DefKind::AssocConst
1218        | DefKind::Closure
1219        | DefKind::ConstParam
1220        | DefKind::AnonConst
1221        | DefKind::InlineConst
1222        | DefKind::SyntheticCoroutineBody => true,
1223
1224        DefKind::OpaqueTy => {
1225            let origin = tcx.local_opaque_ty_origin(def_id);
1226            if let hir::OpaqueTyOrigin::FnReturn { parent, .. }
1227            | hir::OpaqueTyOrigin::AsyncFn { parent, .. } = origin
1228                && let hir::Node::TraitItem(trait_item) = tcx.hir_node_by_def_id(parent)
1229                && let (_, hir::TraitFn::Required(..)) = trait_item.expect_fn()
1230            {
1231                false
1232            } else {
1233                true
1234            }
1235        }
1236
1237        DefKind::AssocTy => {
1238            let assoc_item = tcx.associated_item(def_id);
1239            match assoc_item.container {
1240                ty::AssocContainer::InherentImpl | ty::AssocContainer::TraitImpl(_) => true,
1241                ty::AssocContainer::Trait => assoc_item.defaultness(tcx).has_value(),
1242            }
1243        }
1244        DefKind::TyParam => {
1245            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!() };
1246            let hir::GenericParamKind::Type { default, .. } = param.kind else { ::rustc_middle::util::bug::bug_fmt(format_args!("impossible case reached"))bug!() };
1247            default.is_some()
1248        }
1249
1250        DefKind::Trait
1251        | DefKind::TraitAlias
1252        | DefKind::Mod
1253        | DefKind::ForeignMod
1254        | DefKind::Macro(..)
1255        | DefKind::Static { nested: true, .. }
1256        | DefKind::Use
1257        | DefKind::LifetimeParam
1258        | DefKind::GlobalAsm
1259        | DefKind::ExternCrate => false,
1260    }
1261}
1262
1263fn should_encode_fn_sig(def_kind: DefKind) -> bool {
1264    match def_kind {
1265        DefKind::Fn | DefKind::AssocFn | DefKind::Ctor(_, CtorKind::Fn) => true,
1266
1267        DefKind::Struct
1268        | DefKind::Union
1269        | DefKind::Enum
1270        | DefKind::Variant
1271        | DefKind::Field
1272        | DefKind::Const
1273        | DefKind::Static { .. }
1274        | DefKind::Ctor(..)
1275        | DefKind::TyAlias
1276        | DefKind::OpaqueTy
1277        | DefKind::ForeignTy
1278        | DefKind::Impl { .. }
1279        | DefKind::AssocConst
1280        | DefKind::Closure
1281        | DefKind::ConstParam
1282        | DefKind::AnonConst
1283        | DefKind::InlineConst
1284        | DefKind::AssocTy
1285        | DefKind::TyParam
1286        | DefKind::Trait
1287        | DefKind::TraitAlias
1288        | DefKind::Mod
1289        | DefKind::ForeignMod
1290        | DefKind::Macro(..)
1291        | DefKind::Use
1292        | DefKind::LifetimeParam
1293        | DefKind::GlobalAsm
1294        | DefKind::ExternCrate
1295        | DefKind::SyntheticCoroutineBody => false,
1296    }
1297}
1298
1299fn should_encode_constness(def_kind: DefKind) -> bool {
1300    match def_kind {
1301        DefKind::Fn
1302        | DefKind::AssocFn
1303        | DefKind::Closure
1304        | DefKind::Ctor(_, CtorKind::Fn)
1305        | DefKind::Impl { of_trait: false } => true,
1306
1307        DefKind::Struct
1308        | DefKind::Union
1309        | DefKind::Enum
1310        | DefKind::Field
1311        | DefKind::Const
1312        | DefKind::AssocConst
1313        | DefKind::AnonConst
1314        | DefKind::Static { .. }
1315        | DefKind::TyAlias
1316        | DefKind::OpaqueTy
1317        | DefKind::Impl { .. }
1318        | DefKind::ForeignTy
1319        | DefKind::ConstParam
1320        | DefKind::InlineConst
1321        | DefKind::AssocTy
1322        | DefKind::TyParam
1323        | DefKind::Trait
1324        | DefKind::TraitAlias
1325        | DefKind::Mod
1326        | DefKind::ForeignMod
1327        | DefKind::Macro(..)
1328        | DefKind::Use
1329        | DefKind::LifetimeParam
1330        | DefKind::GlobalAsm
1331        | DefKind::ExternCrate
1332        | DefKind::Ctor(_, CtorKind::Const)
1333        | DefKind::Variant
1334        | DefKind::SyntheticCoroutineBody => false,
1335    }
1336}
1337
1338fn should_encode_const(def_kind: DefKind) -> bool {
1339    match def_kind {
1340        // FIXME(mgca): should we remove Const and AssocConst here?
1341        DefKind::Const | DefKind::AssocConst | DefKind::AnonConst | DefKind::InlineConst => true,
1342
1343        DefKind::Struct
1344        | DefKind::Union
1345        | DefKind::Enum
1346        | DefKind::Variant
1347        | DefKind::Ctor(..)
1348        | DefKind::Field
1349        | DefKind::Fn
1350        | DefKind::Static { .. }
1351        | DefKind::TyAlias
1352        | DefKind::OpaqueTy
1353        | DefKind::ForeignTy
1354        | DefKind::Impl { .. }
1355        | DefKind::AssocFn
1356        | DefKind::Closure
1357        | DefKind::ConstParam
1358        | DefKind::AssocTy
1359        | DefKind::TyParam
1360        | DefKind::Trait
1361        | DefKind::TraitAlias
1362        | DefKind::Mod
1363        | DefKind::ForeignMod
1364        | DefKind::Macro(..)
1365        | DefKind::Use
1366        | DefKind::LifetimeParam
1367        | DefKind::GlobalAsm
1368        | DefKind::ExternCrate
1369        | DefKind::SyntheticCoroutineBody => false,
1370    }
1371}
1372
1373fn should_encode_const_of_item<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId, def_kind: DefKind) -> bool {
1374    // AssocConst ==> assoc item has value
1375    tcx.is_type_const(def_id)
1376        && (!#[allow(non_exhaustive_omitted_patterns)] match def_kind {
    DefKind::AssocConst => true,
    _ => false,
}matches!(def_kind, DefKind::AssocConst) || assoc_item_has_value(tcx, def_id))
1377}
1378
1379fn assoc_item_has_value<'tcx>(tcx: TyCtxt<'tcx>, def_id: DefId) -> bool {
1380    let assoc_item = tcx.associated_item(def_id);
1381    match assoc_item.container {
1382        ty::AssocContainer::InherentImpl | ty::AssocContainer::TraitImpl(_) => true,
1383        ty::AssocContainer::Trait => assoc_item.defaultness(tcx).has_value(),
1384    }
1385}
1386
1387impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
1388    fn encode_attrs(&mut self, def_id: LocalDefId) {
1389        let tcx = self.tcx;
1390        let mut state = AnalyzeAttrState {
1391            is_exported: tcx.effective_visibilities(()).is_exported(def_id),
1392            is_doc_hidden: false,
1393            features: &tcx.features(),
1394        };
1395        let attr_iter = tcx
1396            .hir_attrs(tcx.local_def_id_to_hir_id(def_id))
1397            .iter()
1398            .filter(|attr| analyze_attr(*attr, &mut state));
1399
1400        {
    {
        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);
1401
1402        let mut attr_flags = AttrFlags::empty();
1403        if state.is_doc_hidden {
1404            attr_flags |= AttrFlags::IS_DOC_HIDDEN;
1405        }
1406        self.tables.attr_flags.set(def_id.local_def_index, attr_flags);
1407    }
1408
1409    fn encode_def_ids(&mut self) {
1410        self.encode_info_for_mod(CRATE_DEF_ID);
1411
1412        // Proc-macro crates only export proc-macro items, which are looked
1413        // up using `proc_macro_data`
1414        if self.is_proc_macro {
1415            return;
1416        }
1417
1418        let tcx = self.tcx;
1419
1420        for local_id in tcx.iter_local_def_id() {
1421            let def_id = local_id.to_def_id();
1422            let def_kind = tcx.def_kind(local_id);
1423            self.tables.def_kind.set_some(def_id.index, def_kind);
1424
1425            // The `DefCollector` will sometimes create unnecessary `DefId`s
1426            // for trivial const arguments which are directly lowered to
1427            // `ConstArgKind::Path`. We never actually access this `DefId`
1428            // anywhere so we don't need to encode it for other crates.
1429            if def_kind == DefKind::AnonConst
1430                && match tcx.hir_node_by_def_id(local_id) {
1431                    hir::Node::ConstArg(hir::ConstArg { kind, .. }) => match kind {
1432                        // Skip encoding defs for these as they should not have had a `DefId` created
1433                        hir::ConstArgKind::Error(..)
1434                        | hir::ConstArgKind::Struct(..)
1435                        | hir::ConstArgKind::Array(..)
1436                        | hir::ConstArgKind::TupleCall(..)
1437                        | hir::ConstArgKind::Tup(..)
1438                        | hir::ConstArgKind::Path(..)
1439                        | hir::ConstArgKind::Literal { .. }
1440                        | hir::ConstArgKind::Infer(..) => true,
1441                        hir::ConstArgKind::Anon(..) => false,
1442                    },
1443                    _ => false,
1444                }
1445            {
1446                // MGCA doesn't have unnecessary DefIds
1447                if !tcx.features().min_generic_const_args() {
1448                    continue;
1449                }
1450            }
1451
1452            if def_kind == DefKind::Field
1453                && let hir::Node::Field(field) = tcx.hir_node_by_def_id(local_id)
1454                && let Some(anon) = field.default
1455            {
1456                {
    {
        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());
1457            }
1458
1459            if should_encode_span(def_kind) {
1460                let def_span = tcx.def_span(local_id);
1461                {
    {
        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);
1462            }
1463            if should_encode_attrs(def_kind) {
1464                self.encode_attrs(local_id);
1465            }
1466            if should_encode_expn_that_defined(def_kind) {
1467                {
    {
        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));
1468            }
1469            if should_encode_span(def_kind)
1470                && let Some(ident_span) = tcx.def_ident_span(def_id)
1471            {
1472                {
    {
        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);
1473            }
1474            if def_kind.has_codegen_attrs() {
1475                {
    {
        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));
1476            }
1477            if should_encode_visibility(def_kind) {
1478                let vis =
1479                    self.tcx.local_visibility(local_id).map_id(|def_id| def_id.local_def_index);
1480                {
    {
        let value = vis;
        let lazy = self.lazy(value);
        self.tables.visibility.set_some(def_id.index, lazy);
    }
};record!(self.tables.visibility[def_id] <- vis);
1481            }
1482            if should_encode_stability(def_kind) {
1483                self.encode_stability(def_id);
1484                self.encode_const_stability(def_id);
1485                self.encode_default_body_stability(def_id);
1486                self.encode_deprecation(def_id);
1487            }
1488            if should_encode_variances(tcx, def_id, def_kind) {
1489                let v = self.tcx.variances_of(def_id);
1490                {
    {
        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);
1491            }
1492            if should_encode_fn_sig(def_kind) {
1493                {
    {
        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));
1494            }
1495            if should_encode_generics(def_kind) {
1496                let g = tcx.generics_of(def_id);
1497                {
    {
        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);
1498                {
    {
        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));
1499                let inferred_outlives = self.tcx.inferred_outlives_of(def_id);
1500                {
    {
        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);
1501
1502                for param in &g.own_params {
1503                    if let ty::GenericParamDefKind::Const { has_default: true, .. } = param.kind {
1504                        let default = self.tcx.const_param_default(param.def_id);
1505                        {
    {
        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);
1506                    }
1507                }
1508            }
1509            if tcx.is_conditionally_const(def_id) {
1510                {
    {
        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));
1511            }
1512            if should_encode_type(tcx, local_id, def_kind) {
1513                {
    {
        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));
1514            }
1515            if should_encode_constness(def_kind) {
1516                let constness = self.tcx.constness(def_id);
1517                self.tables.constness.set(def_id.index, constness);
1518            }
1519            if let DefKind::Fn | DefKind::AssocFn = def_kind {
1520                let asyncness = tcx.asyncness(def_id);
1521                self.tables.asyncness.set(def_id.index, asyncness);
1522                {
    {
        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));
1523            }
1524            if let Some(name) = tcx.intrinsic(def_id) {
1525                {
    {
        let value = name;
        let lazy = self.lazy(value);
        self.tables.intrinsic.set_some(def_id.index, lazy);
    }
};record!(self.tables.intrinsic[def_id] <- name);
1526            }
1527            if let DefKind::TyParam = def_kind {
1528                let default = self.tcx.object_lifetime_default(def_id);
1529                {
    {
        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);
1530            }
1531            if let DefKind::Trait = def_kind {
1532                {
    {
        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));
1533                {
    {
        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] <-
1534                    self.tcx.explicit_super_predicates_of(def_id).skip_binder());
1535                {
    {
        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] <-
1536                    self.tcx.explicit_implied_predicates_of(def_id).skip_binder());
1537                let module_children = self.tcx.module_children_local(local_id);
1538                {
    {
        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] <-
1539                    module_children.iter().map(|child| child.res.def_id().index));
1540                if self.tcx.is_const_trait(def_id) {
1541                    {
    {
        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]
1542                        <- self.tcx.explicit_implied_const_bounds(def_id).skip_binder());
1543                }
1544            }
1545            if let DefKind::TraitAlias = def_kind {
1546                {
    {
        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));
1547                {
    {
        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] <-
1548                    self.tcx.explicit_super_predicates_of(def_id).skip_binder());
1549                {
    {
        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] <-
1550                    self.tcx.explicit_implied_predicates_of(def_id).skip_binder());
1551            }
1552            if let DefKind::Trait | DefKind::Impl { .. } = def_kind {
1553                let associated_item_def_ids = self.tcx.associated_item_def_ids(def_id);
1554                {
    {
        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] <-
1555                    associated_item_def_ids.iter().map(|&def_id| {
1556                        assert!(def_id.is_local());
1557                        def_id.index
1558                    })
1559                );
1560                for &def_id in associated_item_def_ids {
1561                    self.encode_info_for_assoc_item(def_id);
1562                }
1563            }
1564            if let DefKind::Closure | DefKind::SyntheticCoroutineBody = def_kind
1565                && let Some(coroutine_kind) = self.tcx.coroutine_kind(def_id)
1566            {
1567                self.tables.coroutine_kind.set(def_id.index, Some(coroutine_kind))
1568            }
1569            if def_kind == DefKind::Closure
1570                && tcx.type_of(def_id).skip_binder().is_coroutine_closure()
1571            {
1572                let coroutine_for_closure = self.tcx.coroutine_for_closure(def_id);
1573                self.tables
1574                    .coroutine_for_closure
1575                    .set_some(def_id.index, coroutine_for_closure.into());
1576
1577                // If this async closure has a by-move body, record it too.
1578                if tcx.needs_coroutine_by_move_body_def_id(coroutine_for_closure) {
1579                    self.tables.coroutine_by_move_body_def_id.set_some(
1580                        coroutine_for_closure.index,
1581                        self.tcx.coroutine_by_move_body_def_id(coroutine_for_closure).into(),
1582                    );
1583                }
1584            }
1585            if let DefKind::Static { .. } = def_kind {
1586                if !self.tcx.is_foreign_item(def_id) {
1587                    let data = self.tcx.eval_static_initializer(def_id).unwrap();
1588                    {
    {
        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);
1589                }
1590            }
1591            if let DefKind::Enum | DefKind::Struct | DefKind::Union = def_kind {
1592                self.encode_info_for_adt(local_id);
1593            }
1594            if let DefKind::Mod = def_kind {
1595                self.encode_info_for_mod(local_id);
1596            }
1597            if let DefKind::Macro(_) = def_kind {
1598                self.encode_info_for_macro(local_id);
1599            }
1600            if let DefKind::TyAlias = def_kind {
1601                self.tables
1602                    .type_alias_is_lazy
1603                    .set(def_id.index, self.tcx.type_alias_is_lazy(def_id));
1604            }
1605            if let DefKind::OpaqueTy = def_kind {
1606                self.encode_explicit_item_bounds(def_id);
1607                self.encode_explicit_item_self_bounds(def_id);
1608                {
    {
        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));
1609                self.encode_precise_capturing_args(def_id);
1610                if tcx.is_conditionally_const(def_id) {
1611                    {
    {
        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]
1612                        <- tcx.explicit_implied_const_bounds(def_id).skip_binder());
1613                }
1614            }
1615            if let DefKind::AnonConst = def_kind {
1616                {
    {
        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));
1617            }
1618            if should_encode_const_of_item(self.tcx, def_id, def_kind) {
1619                {
    {
        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));
1620            }
1621            if tcx.impl_method_has_trait_impl_trait_tys(def_id)
1622                && let Ok(table) = self.tcx.collect_return_position_impl_trait_in_trait_tys(def_id)
1623            {
1624                {
    {
        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);
1625            }
1626            if let DefKind::Impl { .. } | DefKind::Trait = def_kind {
1627                let table = tcx.associated_types_for_impl_traits_in_trait_or_impl(def_id);
1628                {
    {
        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);
1629            }
1630            if let DefKind::AssocConst | DefKind::Const = def_kind {
1631                {
    {
        let value = self.tcx.is_rhs_type_const(def_id);
        let lazy = self.lazy(value);
        self.tables.is_rhs_type_const.set_some(def_id.index, lazy);
    }
};record!(self.tables.is_rhs_type_const[def_id] <- self.tcx.is_rhs_type_const(def_id));
1632            }
1633        }
1634
1635        for (def_id, impls) in &tcx.crate_inherent_impls(()).0.inherent_impls {
1636            {
    {
        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| {
1637                assert!(def_id.is_local());
1638                def_id.index
1639            }));
1640        }
1641
1642        for (def_id, res_map) in &tcx.resolutions(()).doc_link_resolutions {
1643            {
    {
        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);
1644        }
1645
1646        for (def_id, traits) in &tcx.resolutions(()).doc_link_traits_in_scope {
1647            {
    {
        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);
1648        }
1649    }
1650
1651    fn encode_externally_implementable_items(&mut self) -> LazyArray<EiiMapEncodedKeyValue> {
1652        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
1653        let externally_implementable_items = self.tcx.externally_implementable_items(LOCAL_CRATE);
1654
1655        self.lazy_array(externally_implementable_items.iter().map(
1656            |(foreign_item, (decl, impls))| {
1657                (
1658                    *foreign_item,
1659                    (decl.clone(), impls.iter().map(|(impl_did, i)| (*impl_did, *i)).collect()),
1660                )
1661            },
1662        ))
1663    }
1664
1665    #[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(1665u32),
                                    ::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))]
1666    fn encode_info_for_adt(&mut self, local_def_id: LocalDefId) {
1667        let def_id = local_def_id.to_def_id();
1668        let tcx = self.tcx;
1669        let adt_def = tcx.adt_def(def_id);
1670        record!(self.tables.repr_options[def_id] <- adt_def.repr());
1671
1672        let params_in_repr = self.tcx.params_in_repr(def_id);
1673        record!(self.tables.params_in_repr[def_id] <- params_in_repr);
1674
1675        if adt_def.is_enum() {
1676            let module_children = tcx.module_children_local(local_def_id);
1677            record_array!(self.tables.module_children_non_reexports[def_id] <-
1678                module_children.iter().map(|child| child.res.def_id().index));
1679        } else {
1680            // For non-enum, there is only one variant, and its def_id is the adt's.
1681            debug_assert_eq!(adt_def.variants().len(), 1);
1682            debug_assert_eq!(adt_def.non_enum_variant().def_id, def_id);
1683            // Therefore, the loop over variants will encode its fields as the adt's children.
1684        }
1685
1686        for (idx, variant) in adt_def.variants().iter_enumerated() {
1687            let data = VariantData {
1688                discr: variant.discr,
1689                idx,
1690                ctor: variant.ctor.map(|(kind, def_id)| (kind, def_id.index)),
1691                is_non_exhaustive: variant.is_field_list_non_exhaustive(),
1692            };
1693            record!(self.tables.variant_data[variant.def_id] <- data);
1694
1695            record_array!(self.tables.associated_item_or_field_def_ids[variant.def_id] <- variant.fields.iter().map(|f| {
1696                assert!(f.did.is_local());
1697                f.did.index
1698            }));
1699
1700            for field in &variant.fields {
1701                self.tables.safety.set(field.did.index, field.safety);
1702            }
1703
1704            if let Some((CtorKind::Fn, ctor_def_id)) = variant.ctor {
1705                let fn_sig = tcx.fn_sig(ctor_def_id);
1706                // FIXME only encode signature for ctor_def_id
1707                record!(self.tables.fn_sig[variant.def_id] <- fn_sig);
1708            }
1709        }
1710
1711        if let Some(destructor) = tcx.adt_destructor(local_def_id) {
1712            record!(self.tables.adt_destructor[def_id] <- destructor);
1713        }
1714
1715        if let Some(destructor) = tcx.adt_async_destructor(local_def_id) {
1716            record!(self.tables.adt_async_destructor[def_id] <- destructor);
1717        }
1718    }
1719
1720    #[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(1720u32),
                                    ::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))]
1721    fn encode_info_for_mod(&mut self, local_def_id: LocalDefId) {
1722        let tcx = self.tcx;
1723        let def_id = local_def_id.to_def_id();
1724
1725        // If we are encoding a proc-macro crates, `encode_info_for_mod` will
1726        // only ever get called for the crate root. We still want to encode
1727        // the crate root for consistency with other crates (some of the resolver
1728        // code uses it). However, we skip encoding anything relating to child
1729        // items - we encode information about proc-macros later on.
1730        if self.is_proc_macro {
1731            // Encode this here because we don't do it in encode_def_ids.
1732            record!(self.tables.expn_that_defined[def_id] <- tcx.expn_that_defined(local_def_id));
1733        } else {
1734            let module_children = tcx.module_children_local(local_def_id);
1735
1736            record_array!(self.tables.module_children_non_reexports[def_id] <-
1737                module_children.iter().filter(|child| child.reexport_chain.is_empty())
1738                    .map(|child| child.res.def_id().index));
1739
1740            record_defaulted_array!(self.tables.module_children_reexports[def_id] <-
1741                module_children.iter().filter(|child| !child.reexport_chain.is_empty()));
1742
1743            let ambig_module_children = tcx
1744                .resolutions(())
1745                .ambig_module_children
1746                .get(&local_def_id)
1747                .map_or_default(|v| &v[..]);
1748            record_defaulted_array!(self.tables.ambig_module_children[def_id] <-
1749                ambig_module_children);
1750        }
1751    }
1752
1753    fn encode_explicit_item_bounds(&mut self, def_id: DefId) {
1754        {
    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:1754",
                        "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(1754u32),
                        ::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);
1755        let bounds = self.tcx.explicit_item_bounds(def_id).skip_binder();
1756        {
    {
        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);
1757    }
1758
1759    fn encode_explicit_item_self_bounds(&mut self, def_id: DefId) {
1760        {
    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:1760",
                        "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(1760u32),
                        ::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);
1761        let bounds = self.tcx.explicit_item_self_bounds(def_id).skip_binder();
1762        {
    {
        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);
1763    }
1764
1765    #[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(1765u32),
                                    ::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))]
1766    fn encode_info_for_assoc_item(&mut self, def_id: DefId) {
1767        let tcx = self.tcx;
1768        let item = tcx.associated_item(def_id);
1769
1770        if matches!(item.container, AssocContainer::Trait | AssocContainer::TraitImpl(_)) {
1771            self.tables.defaultness.set(def_id.index, item.defaultness(tcx));
1772        }
1773
1774        record!(self.tables.assoc_container[def_id] <- item.container);
1775
1776        if let AssocContainer::Trait = item.container
1777            && item.is_type()
1778        {
1779            self.encode_explicit_item_bounds(def_id);
1780            self.encode_explicit_item_self_bounds(def_id);
1781            if tcx.is_conditionally_const(def_id) {
1782                record_defaulted_array!(self.tables.explicit_implied_const_bounds[def_id]
1783                    <- self.tcx.explicit_implied_const_bounds(def_id).skip_binder());
1784            }
1785        }
1786        if let ty::AssocKind::Type { data: ty::AssocTypeData::Rpitit(rpitit_info) } = item.kind {
1787            record!(self.tables.opt_rpitit_info[def_id] <- rpitit_info);
1788            if matches!(rpitit_info, ty::ImplTraitInTraitData::Trait { .. }) {
1789                record_array!(
1790                    self.tables.assumed_wf_types_for_rpitit[def_id]
1791                        <- self.tcx.assumed_wf_types_for_rpitit(def_id)
1792                );
1793                self.encode_precise_capturing_args(def_id);
1794            }
1795        }
1796    }
1797
1798    fn encode_precise_capturing_args(&mut self, def_id: DefId) {
1799        let Some(precise_capturing_args) = self.tcx.rendered_precise_capturing_args(def_id) else {
1800            return;
1801        };
1802
1803        {
    {
        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);
1804    }
1805
1806    fn encode_mir(&mut self) {
1807        if self.is_proc_macro {
1808            return;
1809        }
1810
1811        let tcx = self.tcx;
1812        let reachable_set = tcx.reachable_set(());
1813
1814        let keys_and_jobs = tcx.mir_keys(()).iter().filter_map(|&def_id| {
1815            let (encode_const, encode_opt) = should_encode_mir(tcx, reachable_set, def_id);
1816            if encode_const || encode_opt { Some((def_id, encode_const, encode_opt)) } else { None }
1817        });
1818        for (def_id, encode_const, encode_opt) in keys_and_jobs {
1819            if true {
    if !(encode_const || encode_opt) {
        ::core::panicking::panic("assertion failed: encode_const || encode_opt")
    };
};debug_assert!(encode_const || encode_opt);
1820
1821            {
    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:1821",
                        "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(1821u32),
                        ::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);
1822            if encode_opt {
1823                {
    {
        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));
1824                self.tables
1825                    .cross_crate_inlinable
1826                    .set(def_id.to_def_id().index, self.tcx.cross_crate_inlinable(def_id));
1827                {
    {
        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()]
1828                    <- tcx.closure_saved_names_of_captured_variables(def_id));
1829
1830                if self.tcx.is_coroutine(def_id.to_def_id())
1831                    && let Some(witnesses) = tcx.mir_coroutine_witnesses(def_id)
1832                {
1833                    {
    {
        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);
1834                }
1835            }
1836            let mut is_trivial = false;
1837            if encode_const {
1838                if let Some((val, ty)) = tcx.trivial_const(def_id) {
1839                    is_trivial = true;
1840                    {
    {
        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));
1841                } else {
1842                    is_trivial = false;
1843                    {
    {
        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));
1844                }
1845
1846                // FIXME(generic_const_exprs): this feels wrong to have in `encode_mir`
1847                let abstract_const = tcx.thir_abstract_const(def_id);
1848                if let Ok(Some(abstract_const)) = abstract_const {
1849                    {
    {
        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);
1850                }
1851
1852                if should_encode_const(tcx.def_kind(def_id)) {
1853                    let qualifs = tcx.mir_const_qualif(def_id);
1854                    {
    {
        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);
1855                    let body = tcx.hir_maybe_body_owned_by(def_id);
1856                    if let Some(body) = body {
1857                        let const_data = rendered_const(self.tcx, &body, def_id);
1858                        {
    {
        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);
1859                    }
1860                }
1861            }
1862            if !is_trivial {
1863                {
    {
        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));
1864            }
1865
1866            if self.tcx.is_coroutine(def_id.to_def_id())
1867                && let Some(witnesses) = tcx.mir_coroutine_witnesses(def_id)
1868            {
1869                {
    {
        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);
1870            }
1871        }
1872
1873        // Encode all the deduced parameter attributes for everything that has MIR, even for items
1874        // that can't be inlined. But don't if we aren't optimizing in non-incremental mode, to
1875        // save the query traffic.
1876        if tcx.sess.opts.output_types.should_codegen()
1877            && tcx.sess.opts.optimize != OptLevel::No
1878            && tcx.sess.opts.incremental.is_none()
1879        {
1880            for &local_def_id in tcx.mir_keys(()) {
1881                if let DefKind::AssocFn | DefKind::Fn = tcx.def_kind(local_def_id) {
1882                    {
    {
        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()] <-
1883                        self.tcx.deduced_param_attrs(local_def_id.to_def_id()));
1884                }
1885            }
1886        }
1887    }
1888
1889    #[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(1889u32),
                                    ::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))]
1890    fn encode_stability(&mut self, def_id: DefId) {
1891        // The query lookup can take a measurable amount of time in crates with many items. Check if
1892        // the stability attributes are even enabled before using their queries.
1893        if self.feat.staged_api() || self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked {
1894            if let Some(stab) = self.tcx.lookup_stability(def_id) {
1895                record!(self.tables.lookup_stability[def_id] <- stab)
1896            }
1897        }
1898    }
1899
1900    #[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(1900u32),
                                    ::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))]
1901    fn encode_const_stability(&mut self, def_id: DefId) {
1902        // The query lookup can take a measurable amount of time in crates with many items. Check if
1903        // the stability attributes are even enabled before using their queries.
1904        if self.feat.staged_api() || self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked {
1905            if let Some(stab) = self.tcx.lookup_const_stability(def_id) {
1906                record!(self.tables.lookup_const_stability[def_id] <- stab)
1907            }
1908        }
1909    }
1910
1911    #[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(1911u32),
                                    ::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))]
1912    fn encode_default_body_stability(&mut self, def_id: DefId) {
1913        // The query lookup can take a measurable amount of time in crates with many items. Check if
1914        // the stability attributes are even enabled before using their queries.
1915        if self.feat.staged_api() || self.tcx.sess.opts.unstable_opts.force_unstable_if_unmarked {
1916            if let Some(stab) = self.tcx.lookup_default_body_stability(def_id) {
1917                record!(self.tables.lookup_default_body_stability[def_id] <- stab)
1918            }
1919        }
1920    }
1921
1922    #[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(1922u32),
                                    ::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))]
1923    fn encode_deprecation(&mut self, def_id: DefId) {
1924        if let Some(depr) = self.tcx.lookup_deprecation(def_id) {
1925            record!(self.tables.lookup_deprecation_entry[def_id] <- depr);
1926        }
1927    }
1928
1929    #[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(1929u32),
                                    ::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))]
1930    fn encode_info_for_macro(&mut self, def_id: LocalDefId) {
1931        let tcx = self.tcx;
1932
1933        let (_, macro_def, _) = tcx.hir_expect_item(def_id).expect_macro();
1934        self.tables.is_macro_rules.set(def_id.local_def_index, macro_def.macro_rules);
1935        record!(self.tables.macro_definition[def_id.to_def_id()] <- &*macro_def.body);
1936    }
1937
1938    fn encode_native_libraries(&mut self) -> LazyArray<NativeLib> {
1939        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
1940        let used_libraries = self.tcx.native_libraries(LOCAL_CRATE);
1941        self.lazy_array(used_libraries.iter())
1942    }
1943
1944    fn encode_foreign_modules(&mut self) -> LazyArray<ForeignModule> {
1945        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
1946        let foreign_modules = self.tcx.foreign_modules(LOCAL_CRATE);
1947        self.lazy_array(foreign_modules.iter().map(|(_, m)| m).cloned())
1948    }
1949
1950    fn encode_hygiene(&mut self) -> (SyntaxContextTable, ExpnDataTable, ExpnHashTable) {
1951        let mut syntax_contexts: TableBuilder<_, _> = Default::default();
1952        let mut expn_data_table: TableBuilder<_, _> = Default::default();
1953        let mut expn_hash_table: TableBuilder<_, _> = Default::default();
1954
1955        self.hygiene_ctxt.encode(
1956            &mut (&mut *self, &mut syntax_contexts, &mut expn_data_table, &mut expn_hash_table),
1957            |(this, syntax_contexts, _, _), index, ctxt_data| {
1958                syntax_contexts.set_some(index, this.lazy(ctxt_data));
1959            },
1960            |(this, _, expn_data_table, expn_hash_table), index, expn_data, hash| {
1961                if let Some(index) = index.as_local() {
1962                    expn_data_table.set_some(index.as_raw(), this.lazy(expn_data));
1963                    expn_hash_table.set_some(index.as_raw(), this.lazy(hash));
1964                }
1965            },
1966        );
1967
1968        (
1969            syntax_contexts.encode(&mut self.opaque),
1970            expn_data_table.encode(&mut self.opaque),
1971            expn_hash_table.encode(&mut self.opaque),
1972        )
1973    }
1974
1975    fn encode_proc_macros(&mut self) -> Option<ProcMacroData> {
1976        let is_proc_macro = self.tcx.crate_types().contains(&CrateType::ProcMacro);
1977        if is_proc_macro {
1978            let tcx = self.tcx;
1979            let proc_macro_decls_static = tcx.proc_macro_decls_static(()).unwrap().local_def_index;
1980            let stability = tcx.lookup_stability(CRATE_DEF_ID);
1981            let macros =
1982                self.lazy_array(tcx.resolutions(()).proc_macros.iter().map(|p| p.local_def_index));
1983            for (i, span) in self.tcx.sess.psess.proc_macro_quoted_spans() {
1984                let span = self.lazy(span);
1985                self.tables.proc_macro_quoted_spans.set_some(i, span);
1986            }
1987
1988            self.tables.def_kind.set_some(LOCAL_CRATE.as_def_id().index, DefKind::Mod);
1989            {
    {
        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()));
1990            self.encode_attrs(LOCAL_CRATE.as_def_id().expect_local());
1991            let vis = tcx.local_visibility(CRATE_DEF_ID).map_id(|def_id| def_id.local_def_index);
1992            {
    {
        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);
1993            if let Some(stability) = stability {
1994                {
    {
        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);
1995            }
1996            self.encode_deprecation(LOCAL_CRATE.as_def_id());
1997            if let Some(res_map) = tcx.resolutions(()).doc_link_resolutions.get(&CRATE_DEF_ID) {
1998                {
    {
        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);
1999            }
2000            if let Some(traits) = tcx.resolutions(()).doc_link_traits_in_scope.get(&CRATE_DEF_ID) {
2001                {
    {
        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);
2002            }
2003
2004            // Normally, this information is encoded when we walk the items
2005            // defined in this crate. However, we skip doing that for proc-macro crates,
2006            // so we manually encode just the information that we need
2007            for &proc_macro in &tcx.resolutions(()).proc_macros {
2008                let id = proc_macro;
2009                let proc_macro = tcx.local_def_id_to_hir_id(proc_macro);
2010                let mut name = tcx.hir_name(proc_macro);
2011                let span = tcx.hir_span(proc_macro);
2012                // Proc-macros may have attributes like `#[allow_internal_unstable]`,
2013                // so downstream crates need access to them.
2014                let attrs = tcx.hir_attrs(proc_macro);
2015                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(..)) {
2016                    MacroKind::Bang
2017                } 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(..)) {
2018                    MacroKind::Attr
2019                } else if let Some(trait_name) =
2020                    {
    '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)
2021                {
2022                    name = *trait_name;
2023                    MacroKind::Derive
2024                } else {
2025                    ::rustc_middle::util::bug::bug_fmt(format_args!("Unknown proc-macro type for item {0:?}",
        id));bug!("Unknown proc-macro type for item {:?}", id);
2026                };
2027
2028                let mut def_key = self.tcx.hir_def_key(id);
2029                def_key.disambiguated_data.data = DefPathData::MacroNs(name);
2030
2031                let def_id = id.to_def_id();
2032                self.tables.def_kind.set_some(def_id.index, DefKind::Macro(macro_kind.into()));
2033                self.tables.proc_macro.set_some(def_id.index, macro_kind);
2034                self.encode_attrs(id);
2035                {
    {
        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);
2036                {
    {
        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);
2037                {
    {
        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);
2038                {
    {
        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);
2039                if let Some(stability) = stability {
2040                    {
    {
        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);
2041                }
2042            }
2043
2044            Some(ProcMacroData { proc_macro_decls_static, stability, macros })
2045        } else {
2046            None
2047        }
2048    }
2049
2050    fn encode_debugger_visualizers(&mut self) -> LazyArray<DebuggerVisualizerFile> {
2051        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2052        self.lazy_array(
2053            self.tcx
2054                .debugger_visualizers(LOCAL_CRATE)
2055                .iter()
2056                // Erase the path since it may contain privacy sensitive data
2057                // that we don't want to end up in crate metadata.
2058                // The path is only needed for the local crate because of
2059                // `--emit dep-info`.
2060                .map(DebuggerVisualizerFile::path_erased),
2061        )
2062    }
2063
2064    fn encode_crate_deps(&mut self) -> LazyArray<CrateDep> {
2065        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2066
2067        let deps = self
2068            .tcx
2069            .crates(())
2070            .iter()
2071            .map(|&cnum| {
2072                let dep = CrateDep {
2073                    name: self.tcx.crate_name(cnum),
2074                    hash: self.tcx.crate_hash(cnum),
2075                    host_hash: self.tcx.crate_host_hash(cnum),
2076                    kind: self.tcx.crate_dep_kind(cnum),
2077                    extra_filename: self.tcx.extra_filename(cnum).clone(),
2078                    is_private: self.tcx.is_private_dep(cnum),
2079                };
2080                (cnum, dep)
2081            })
2082            .collect::<Vec<_>>();
2083
2084        {
2085            // Sanity-check the crate numbers
2086            let mut expected_cnum = 1;
2087            for &(n, _) in &deps {
2088                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));
2089                expected_cnum += 1;
2090            }
2091        }
2092
2093        // We're just going to write a list of crate 'name-hash-version's, with
2094        // the assumption that they are numbered 1 to n.
2095        // FIXME (#2166): This is not nearly enough to support correct versioning
2096        // but is enough to get transitive crate dependencies working.
2097        self.lazy_array(deps.iter().map(|(_, dep)| dep))
2098    }
2099
2100    fn encode_target_modifiers(&mut self) -> LazyArray<TargetModifier> {
2101        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2102        let tcx = self.tcx;
2103        self.lazy_array(tcx.sess.opts.gather_target_modifiers())
2104    }
2105
2106    fn encode_lib_features(&mut self) -> LazyArray<(Symbol, FeatureStability)> {
2107        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2108        let tcx = self.tcx;
2109        let lib_features = tcx.lib_features(LOCAL_CRATE);
2110        self.lazy_array(lib_features.to_sorted_vec())
2111    }
2112
2113    fn encode_stability_implications(&mut self) -> LazyArray<(Symbol, Symbol)> {
2114        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2115        let tcx = self.tcx;
2116        let implications = tcx.stability_implications(LOCAL_CRATE);
2117        let sorted = implications.to_sorted_stable_ord();
2118        self.lazy_array(sorted.into_iter().map(|(k, v)| (*k, *v)))
2119    }
2120
2121    fn encode_diagnostic_items(&mut self) -> LazyArray<(Symbol, DefIndex)> {
2122        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2123        let tcx = self.tcx;
2124        let diagnostic_items = &tcx.diagnostic_items(LOCAL_CRATE).name_to_id;
2125        self.lazy_array(diagnostic_items.iter().map(|(&name, def_id)| (name, def_id.index)))
2126    }
2127
2128    fn encode_lang_items(&mut self) -> LazyArray<(DefIndex, LangItem)> {
2129        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2130        let lang_items = self.tcx.lang_items().iter();
2131        self.lazy_array(lang_items.filter_map(|(lang_item, def_id)| {
2132            def_id.as_local().map(|id| (id.local_def_index, lang_item))
2133        }))
2134    }
2135
2136    fn encode_lang_items_missing(&mut self) -> LazyArray<LangItem> {
2137        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2138        let tcx = self.tcx;
2139        self.lazy_array(&tcx.lang_items().missing)
2140    }
2141
2142    fn encode_stripped_cfg_items(&mut self) -> LazyArray<StrippedCfgItem<DefIndex>> {
2143        self.lazy_array(
2144            self.tcx
2145                .stripped_cfg_items(LOCAL_CRATE)
2146                .into_iter()
2147                .map(|item| item.clone().map_mod_id(|def_id| def_id.index)),
2148        )
2149    }
2150
2151    fn encode_traits(&mut self) -> LazyArray<DefIndex> {
2152        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2153        self.lazy_array(self.tcx.traits(LOCAL_CRATE).iter().map(|def_id| def_id.index))
2154    }
2155
2156    /// Encodes an index, mapping each trait to its (local) implementations.
2157    #[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(2157u32),
                                    ::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();
                    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))]
2158    fn encode_impls(&mut self) -> LazyArray<TraitImpls> {
2159        empty_proc_macro!(self);
2160        let tcx = self.tcx;
2161        let mut trait_impls: FxIndexMap<DefId, Vec<(DefIndex, Option<SimplifiedType>)>> =
2162            FxIndexMap::default();
2163
2164        for id in tcx.hir_free_items() {
2165            let DefKind::Impl { of_trait } = tcx.def_kind(id.owner_id) else {
2166                continue;
2167            };
2168            let def_id = id.owner_id.to_def_id();
2169
2170            if of_trait {
2171                let header = tcx.impl_trait_header(def_id);
2172                record!(self.tables.impl_trait_header[def_id] <- header);
2173
2174                self.tables.defaultness.set(def_id.index, tcx.defaultness(def_id));
2175
2176                let trait_ref = header.trait_ref.instantiate_identity();
2177                let simplified_self_ty = fast_reject::simplify_type(
2178                    self.tcx,
2179                    trait_ref.self_ty(),
2180                    TreatParams::InstantiateWithInfer,
2181                );
2182                trait_impls
2183                    .entry(trait_ref.def_id)
2184                    .or_default()
2185                    .push((id.owner_id.def_id.local_def_index, simplified_self_ty));
2186
2187                let trait_def = tcx.trait_def(trait_ref.def_id);
2188                if let Ok(mut an) = trait_def.ancestors(tcx, def_id)
2189                    && let Some(specialization_graph::Node::Impl(parent)) = an.nth(1)
2190                {
2191                    self.tables.impl_parent.set_some(def_id.index, parent.into());
2192                }
2193
2194                // if this is an impl of `CoerceUnsized`, create its
2195                // "unsized info", else just store None
2196                if tcx.is_lang_item(trait_ref.def_id, LangItem::CoerceUnsized) {
2197                    let coerce_unsized_info = tcx.coerce_unsized_info(def_id).unwrap();
2198                    record!(self.tables.coerce_unsized_info[def_id] <- coerce_unsized_info);
2199                }
2200            }
2201        }
2202
2203        let trait_impls: Vec<_> = trait_impls
2204            .into_iter()
2205            .map(|(trait_def_id, impls)| TraitImpls {
2206                trait_id: (trait_def_id.krate.as_u32(), trait_def_id.index),
2207                impls: self.lazy_array(&impls),
2208            })
2209            .collect();
2210
2211        self.lazy_array(&trait_impls)
2212    }
2213
2214    #[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(2214u32),
                                    ::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))]
2215    fn encode_incoherent_impls(&mut self) -> LazyArray<IncoherentImpls> {
2216        empty_proc_macro!(self);
2217        let tcx = self.tcx;
2218
2219        let all_impls: Vec<_> = tcx
2220            .crate_inherent_impls(())
2221            .0
2222            .incoherent_impls
2223            .iter()
2224            .map(|(&simp, impls)| IncoherentImpls {
2225                self_ty: self.lazy(simp),
2226                impls: self.lazy_array(impls.iter().map(|def_id| def_id.local_def_index)),
2227            })
2228            .collect();
2229
2230        self.lazy_array(&all_impls)
2231    }
2232
2233    fn encode_exportable_items(&mut self) -> LazyArray<DefIndex> {
2234        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2235        self.lazy_array(self.tcx.exportable_items(LOCAL_CRATE).iter().map(|def_id| def_id.index))
2236    }
2237
2238    fn encode_stable_order_of_exportable_impls(&mut self) -> LazyArray<(DefIndex, usize)> {
2239        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2240        let stable_order_of_exportable_impls =
2241            self.tcx.stable_order_of_exportable_impls(LOCAL_CRATE);
2242        self.lazy_array(
2243            stable_order_of_exportable_impls.iter().map(|(def_id, idx)| (def_id.index, *idx)),
2244        )
2245    }
2246
2247    // Encodes all symbols exported from this crate into the metadata.
2248    //
2249    // This pass is seeded off the reachability list calculated in the
2250    // middle::reachable module but filters out items that either don't have a
2251    // symbol associated with them (they weren't translated) or if they're an FFI
2252    // definition (as that's not defined in this crate).
2253    fn encode_exported_symbols(
2254        &mut self,
2255        exported_symbols: &[(ExportedSymbol<'tcx>, SymbolExportInfo)],
2256    ) -> LazyArray<(ExportedSymbol<'static>, SymbolExportInfo)> {
2257        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2258
2259        self.lazy_array(exported_symbols.iter().cloned())
2260    }
2261
2262    fn encode_dylib_dependency_formats(&mut self) -> LazyArray<Option<LinkagePreference>> {
2263        if self.is_proc_macro { return LazyArray::default(); };empty_proc_macro!(self);
2264        let formats = self.tcx.dependency_formats(());
2265        if let Some(arr) = formats.get(&CrateType::Dylib) {
2266            return self.lazy_array(arr.iter().skip(1 /* skip LOCAL_CRATE */).map(
2267                |slot| match *slot {
2268                    Linkage::NotLinked | Linkage::IncludedFromDylib => None,
2269
2270                    Linkage::Dynamic => Some(LinkagePreference::RequireDynamic),
2271                    Linkage::Static => Some(LinkagePreference::RequireStatic),
2272                },
2273            ));
2274        }
2275        LazyArray::default()
2276    }
2277}
2278
2279/// Used to prefetch queries which will be needed later by metadata encoding.
2280/// Only a subset of the queries are actually prefetched to keep this code smaller.
2281fn prefetch_mir(tcx: TyCtxt<'_>) {
2282    if !tcx.sess.opts.output_types.should_codegen() {
2283        // We won't emit MIR, so don't prefetch it.
2284        return;
2285    }
2286
2287    let reachable_set = tcx.reachable_set(());
2288    par_for_each_in(tcx.mir_keys(()), |&&def_id| {
2289        if tcx.is_trivial_const(def_id) {
2290            return;
2291        }
2292        let (encode_const, encode_opt) = should_encode_mir(tcx, reachable_set, def_id);
2293
2294        if encode_const {
2295            tcx.ensure_done().mir_for_ctfe(def_id);
2296        }
2297        if encode_opt {
2298            tcx.ensure_done().optimized_mir(def_id);
2299        }
2300        if encode_opt || encode_const {
2301            tcx.ensure_done().promoted_mir(def_id);
2302        }
2303    })
2304}
2305
2306// NOTE(eddyb) The following comment was preserved for posterity, even
2307// though it's no longer relevant as EBML (which uses nested & tagged
2308// "documents") was replaced with a scheme that can't go out of bounds.
2309//
2310// And here we run into yet another obscure archive bug: in which metadata
2311// loaded from archives may have trailing garbage bytes. Awhile back one of
2312// our tests was failing sporadically on the macOS 64-bit builders (both nopt
2313// and opt) by having ebml generate an out-of-bounds panic when looking at
2314// metadata.
2315//
2316// Upon investigation it turned out that the metadata file inside of an rlib
2317// (and ar archive) was being corrupted. Some compilations would generate a
2318// metadata file which would end in a few extra bytes, while other
2319// compilations would not have these extra bytes appended to the end. These
2320// extra bytes were interpreted by ebml as an extra tag, so they ended up
2321// being interpreted causing the out-of-bounds.
2322//
2323// The root cause of why these extra bytes were appearing was never
2324// discovered, and in the meantime the solution we're employing is to insert
2325// the length of the metadata to the start of the metadata. Later on this
2326// will allow us to slice the metadata to the precise length that we just
2327// generated regardless of trailing bytes that end up in it.
2328
2329pub struct EncodedMetadata {
2330    // The declaration order matters because `full_metadata` should be dropped
2331    // before `_temp_dir`.
2332    full_metadata: Option<Mmap>,
2333    // This is an optional stub metadata containing only the crate header.
2334    // The header should be very small, so we load it directly into memory.
2335    stub_metadata: Option<Vec<u8>>,
2336    // The path containing the metadata, to record as work product.
2337    path: Option<Box<Path>>,
2338    // We need to carry MaybeTempDir to avoid deleting the temporary
2339    // directory while accessing the Mmap.
2340    _temp_dir: Option<MaybeTempDir>,
2341}
2342
2343impl EncodedMetadata {
2344    #[inline]
2345    pub fn from_path(
2346        path: PathBuf,
2347        stub_path: Option<PathBuf>,
2348        temp_dir: Option<MaybeTempDir>,
2349    ) -> std::io::Result<Self> {
2350        let file = std::fs::File::open(&path)?;
2351        let file_metadata = file.metadata()?;
2352        if file_metadata.len() == 0 {
2353            return Ok(Self {
2354                full_metadata: None,
2355                stub_metadata: None,
2356                path: None,
2357                _temp_dir: None,
2358            });
2359        }
2360        let full_mmap = unsafe { Some(Mmap::map(file)?) };
2361
2362        let stub =
2363            if let Some(stub_path) = stub_path { Some(std::fs::read(stub_path)?) } else { None };
2364
2365        Ok(Self {
2366            full_metadata: full_mmap,
2367            stub_metadata: stub,
2368            path: Some(path.into()),
2369            _temp_dir: temp_dir,
2370        })
2371    }
2372
2373    #[inline]
2374    pub fn full(&self) -> &[u8] {
2375        &self.full_metadata.as_deref().unwrap_or_default()
2376    }
2377
2378    #[inline]
2379    pub fn stub_or_full(&self) -> &[u8] {
2380        self.stub_metadata.as_deref().unwrap_or(self.full())
2381    }
2382
2383    #[inline]
2384    pub fn path(&self) -> Option<&Path> {
2385        self.path.as_deref()
2386    }
2387}
2388
2389impl<S: Encoder> Encodable<S> for EncodedMetadata {
2390    fn encode(&self, s: &mut S) {
2391        self.stub_metadata.encode(s);
2392
2393        let slice = self.full();
2394        slice.encode(s)
2395    }
2396}
2397
2398impl<D: Decoder> Decodable<D> for EncodedMetadata {
2399    fn decode(d: &mut D) -> Self {
2400        let stub = <Option<Vec<u8>>>::decode(d);
2401
2402        let len = d.read_usize();
2403        let full_metadata = if len > 0 {
2404            let mut mmap = MmapMut::map_anon(len).unwrap();
2405            mmap.copy_from_slice(d.read_raw_bytes(len));
2406            Some(mmap.make_read_only().unwrap())
2407        } else {
2408            None
2409        };
2410
2411        Self { full_metadata, stub_metadata: stub, path: None, _temp_dir: None }
2412    }
2413}
2414
2415#[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(2415u32),
                                    ::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.try_mark_green(&dep_node) {
                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:2450",
                                        "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(2450u32),
                                        ::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, path,
                |tcx, path|
                    {
                        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))]
2416pub fn encode_metadata(tcx: TyCtxt<'_>, path: &Path, ref_path: Option<&Path>) {
2417    // Since encoding metadata is not in a query, and nothing is cached,
2418    // there's no need to do dep-graph tracking for any of it.
2419    tcx.dep_graph.assert_ignored();
2420
2421    // Generate the metadata stub manually, as that is a small file compared to full metadata.
2422    if let Some(ref_path) = ref_path {
2423        let _prof_timer = tcx.prof.verbose_generic_activity("generate_crate_metadata_stub");
2424
2425        with_encode_metadata_header(tcx, ref_path, |ecx| {
2426            let header: LazyValue<CrateHeader> = ecx.lazy(CrateHeader {
2427                name: tcx.crate_name(LOCAL_CRATE),
2428                triple: tcx.sess.opts.target_triple.clone(),
2429                hash: tcx.crate_hash(LOCAL_CRATE),
2430                is_proc_macro_crate: false,
2431                is_stub: true,
2432            });
2433            header.position.get()
2434        })
2435    }
2436
2437    let _prof_timer = tcx.prof.verbose_generic_activity("generate_crate_metadata");
2438
2439    let dep_node = tcx.metadata_dep_node();
2440
2441    // If the metadata dep-node is green, try to reuse the saved work product.
2442    if tcx.dep_graph.is_fully_enabled()
2443        && let work_product_id = WorkProductId::from_cgu_name("metadata")
2444        && let Some(work_product) = tcx.dep_graph.previous_work_product(&work_product_id)
2445        && tcx.try_mark_green(&dep_node)
2446    {
2447        let saved_path = &work_product.saved_files["rmeta"];
2448        let incr_comp_session_dir = tcx.sess.incr_comp_session_dir_opt().unwrap();
2449        let source_file = rustc_incremental::in_incr_comp_dir(&incr_comp_session_dir, saved_path);
2450        debug!("copying preexisting metadata from {source_file:?} to {path:?}");
2451        match rustc_fs_util::link_or_copy(&source_file, path) {
2452            Ok(_) => {}
2453            Err(err) => tcx.dcx().emit_fatal(FailCreateFileEncoder { err }),
2454        };
2455        return;
2456    };
2457
2458    if tcx.sess.threads() != 1 {
2459        // Prefetch some queries used by metadata encoding.
2460        // This is not necessary for correctness, but is only done for performance reasons.
2461        // It can be removed if it turns out to cause trouble or be detrimental to performance.
2462        par_join(
2463            || prefetch_mir(tcx),
2464            || {
2465                let _ = tcx.exported_non_generic_symbols(LOCAL_CRATE);
2466                let _ = tcx.exported_generic_symbols(LOCAL_CRATE);
2467            },
2468        );
2469    }
2470
2471    // Perform metadata encoding inside a task, so the dep-graph can check if any encoded
2472    // information changes, and maybe reuse the work product.
2473    tcx.dep_graph.with_task(
2474        dep_node,
2475        tcx,
2476        path,
2477        |tcx, path| {
2478            with_encode_metadata_header(tcx, path, |ecx| {
2479                // Encode all the entries and extra information in the crate,
2480                // culminating in the `CrateRoot` which points to all of it.
2481                let root = ecx.encode_crate_root();
2482
2483                // Flush buffer to ensure backing file has the correct size.
2484                ecx.opaque.flush();
2485                // Record metadata size for self-profiling
2486                tcx.prof.artifact_size(
2487                    "crate_metadata",
2488                    "crate_metadata",
2489                    ecx.opaque.file().metadata().unwrap().len(),
2490                );
2491
2492                root.position.get()
2493            })
2494        },
2495        None,
2496    );
2497}
2498
2499fn with_encode_metadata_header(
2500    tcx: TyCtxt<'_>,
2501    path: &Path,
2502    f: impl FnOnce(&mut EncodeContext<'_, '_>) -> usize,
2503) {
2504    let mut encoder = opaque::FileEncoder::new(path)
2505        .unwrap_or_else(|err| tcx.dcx().emit_fatal(FailCreateFileEncoder { err }));
2506    encoder.emit_raw_bytes(METADATA_HEADER);
2507
2508    // Will be filled with the root position after encoding everything.
2509    encoder.emit_raw_bytes(&0u64.to_le_bytes());
2510
2511    let source_map_files = tcx.sess.source_map().files();
2512    let source_file_cache = (Arc::clone(&source_map_files[0]), 0);
2513    let required_source_files = Some(FxIndexSet::default());
2514    drop(source_map_files);
2515
2516    let hygiene_ctxt = HygieneEncodeContext::default();
2517
2518    let mut ecx = EncodeContext {
2519        opaque: encoder,
2520        tcx,
2521        feat: tcx.features(),
2522        tables: Default::default(),
2523        lazy_state: LazyState::NoNode,
2524        span_shorthands: Default::default(),
2525        type_shorthands: Default::default(),
2526        predicate_shorthands: Default::default(),
2527        source_file_cache,
2528        interpret_allocs: Default::default(),
2529        required_source_files,
2530        is_proc_macro: tcx.crate_types().contains(&CrateType::ProcMacro),
2531        hygiene_ctxt: &hygiene_ctxt,
2532        symbol_index_table: Default::default(),
2533    };
2534
2535    // Encode the rustc version string in a predictable location.
2536    rustc_version(tcx.sess.cfg_version).encode(&mut ecx);
2537
2538    let root_position = f(&mut ecx);
2539
2540    // Make sure we report any errors from writing to the file.
2541    // If we forget this, compilation can succeed with an incomplete rmeta file,
2542    // causing an ICE when the rmeta file is read by another compilation.
2543    if let Err((path, err)) = ecx.opaque.finish() {
2544        tcx.dcx().emit_fatal(FailWriteFile { path: &path, err });
2545    }
2546
2547    let file = ecx.opaque.file();
2548    if let Err(err) = encode_root_position(file, root_position) {
2549        tcx.dcx().emit_fatal(FailWriteFile { path: ecx.opaque.path(), err });
2550    }
2551}
2552
2553fn encode_root_position(mut file: &File, pos: usize) -> Result<(), std::io::Error> {
2554    // We will return to this position after writing the root position.
2555    let pos_before_seek = file.stream_position().unwrap();
2556
2557    // Encode the root position.
2558    let header = METADATA_HEADER.len();
2559    file.seek(std::io::SeekFrom::Start(header as u64))?;
2560    file.write_all(&pos.to_le_bytes())?;
2561
2562    // Return to the position where we are before writing the root position.
2563    file.seek(std::io::SeekFrom::Start(pos_before_seek))?;
2564    Ok(())
2565}
2566
2567pub(crate) fn provide(providers: &mut Providers) {
2568    *providers = Providers {
2569        doc_link_resolutions: |tcx, def_id| {
2570            tcx.resolutions(())
2571                .doc_link_resolutions
2572                .get(&def_id)
2573                .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"))
2574        },
2575        doc_link_traits_in_scope: |tcx, def_id| {
2576            tcx.resolutions(()).doc_link_traits_in_scope.get(&def_id).unwrap_or_else(|| {
2577                ::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")
2578            })
2579        },
2580
2581        ..*providers
2582    }
2583}
2584
2585/// Build a textual representation of an unevaluated constant expression.
2586///
2587/// If the const expression is too complex, an underscore `_` is returned.
2588/// For const arguments, it's `{ _ }` to be precise.
2589/// This means that the output is not necessarily valid Rust code.
2590///
2591/// Currently, only
2592///
2593/// * literals (optionally with a leading `-`)
2594/// * unit `()`
2595/// * blocks (`{ … }`) around simple expressions and
2596/// * paths without arguments
2597///
2598/// are considered simple enough. Simple blocks are included since they are
2599/// necessary to disambiguate unit from the unit type.
2600/// This list might get extended in the future.
2601///
2602/// Without this censoring, in a lot of cases the output would get too large
2603/// and verbose. Consider `match` expressions, blocks and deeply nested ADTs.
2604/// Further, private and `doc(hidden)` fields of structs would get leaked
2605/// since HIR datatypes like the `body` parameter do not contain enough
2606/// semantic information for this function to be able to hide them –
2607/// at least not without significant performance overhead.
2608///
2609/// Whenever possible, prefer to evaluate the constant first and try to
2610/// use a different method for pretty-printing. Ideally this function
2611/// should only ever be used as a fallback.
2612pub fn rendered_const<'tcx>(tcx: TyCtxt<'tcx>, body: &hir::Body<'_>, def_id: LocalDefId) -> String {
2613    let value = body.value;
2614
2615    #[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 {
    #[doc(hidden)]
    #[coverage(off)]
    fn assert_fields_are_eq(&self) {}
}Eq)]
2616    enum Classification {
2617        Literal,
2618        Simple,
2619        Complex,
2620    }
2621
2622    use Classification::*;
2623
2624    fn classify(expr: &hir::Expr<'_>) -> Classification {
2625        match &expr.kind {
2626            hir::ExprKind::Unary(hir::UnOp::Neg, expr) => {
2627                if #[allow(non_exhaustive_omitted_patterns)] match expr.kind {
    hir::ExprKind::Lit(_) => true,
    _ => false,
}matches!(expr.kind, hir::ExprKind::Lit(_)) { Literal } else { Complex }
2628            }
2629            hir::ExprKind::Lit(_) => Literal,
2630            hir::ExprKind::Tup([]) => Simple,
2631            hir::ExprKind::Block(hir::Block { stmts: [], expr: Some(expr), .. }, _) => {
2632                if classify(expr) == Complex { Complex } else { Simple }
2633            }
2634            // Paths with a self-type or arguments are too “complex” following our measure since
2635            // they may leak private fields of structs (with feature `adt_const_params`).
2636            // Consider: `<Self as Trait<{ Struct { private: () } }>>::CONSTANT`.
2637            // Paths without arguments are definitely harmless though.
2638            hir::ExprKind::Path(hir::QPath::Resolved(_, hir::Path { segments, .. })) => {
2639                if segments.iter().all(|segment| segment.args.is_none()) { Simple } else { Complex }
2640            }
2641            // FIXME: Claiming that those kinds of QPaths are simple is probably not true if the Ty
2642            //        contains const arguments. Is there a *concise* way to check for this?
2643            hir::ExprKind::Path(hir::QPath::TypeRelative(..)) => Simple,
2644            _ => Complex,
2645        }
2646    }
2647
2648    match classify(value) {
2649        // For non-macro literals, we avoid invoking the pretty-printer and use the source snippet
2650        // instead to preserve certain stylistic choices the user likely made for the sake of
2651        // legibility, like:
2652        //
2653        // * hexadecimal notation
2654        // * underscores
2655        // * character escapes
2656        //
2657        // FIXME: This passes through `-/*spacer*/0` verbatim.
2658        Literal
2659            if !value.span.from_expansion()
2660                && let Ok(snippet) = tcx.sess.source_map().span_to_snippet(value.span) =>
2661        {
2662            snippet
2663        }
2664
2665        // Otherwise we prefer pretty-printing to get rid of extraneous whitespace, comments and
2666        // other formatting artifacts.
2667        Literal | Simple => id_to_string(&tcx, body.id().hir_id),
2668
2669        // FIXME: Omit the curly braces if the enclosing expression is an array literal
2670        //        with a repeated element (an `ExprKind::Repeat`) as in such case it
2671        //        would not actually need any disambiguation.
2672        Complex => {
2673            if tcx.def_kind(def_id) == DefKind::AnonConst {
2674                "{ _ }".to_owned()
2675            } else {
2676                "_".to_owned()
2677            }
2678        }
2679    }
2680}