1#![allow(internal_features)]
20#![cfg_attr(target_arch = "loongarch64", feature(stdarch_loongarch))]
21#![feature(array_windows)]
22#![feature(cfg_select)]
23#![feature(core_io_borrowed_buf)]
24#![feature(if_let_guard)]
25#![feature(map_try_insert)]
26#![feature(negative_impls)]
27#![feature(read_buf)]
28#![feature(rustc_attrs)]
29extern crate self as rustc_span;
35
36use derive_where::derive_where;
37use rustc_data_structures::{AtomicRef, outline};
38use rustc_macros::{Decodable, Encodable, HashStable_Generic};
39use rustc_serialize::opaque::{FileEncoder, MemDecoder};
40use rustc_serialize::{Decodable, Decoder, Encodable, Encoder};
41use tracing::debug;
42
43mod caching_source_map_view;
44pub mod source_map;
45use source_map::{SourceMap, SourceMapInputs};
46
47pub use self::caching_source_map_view::CachingSourceMapView;
48use crate::fatal_error::FatalError;
49
50pub mod edition;
51use edition::Edition;
52pub mod hygiene;
53use hygiene::Transparency;
54pub use hygiene::{
55 DesugaringKind, ExpnData, ExpnHash, ExpnId, ExpnKind, LocalExpnId, MacroKind, SyntaxContext,
56};
57use rustc_data_structures::stable_hasher::HashingControls;
58pub mod def_id;
59use def_id::{CrateNum, DefId, DefIndex, DefPathHash, LOCAL_CRATE, LocalDefId, StableCrateId};
60pub mod edit_distance;
61mod span_encoding;
62pub use span_encoding::{DUMMY_SP, Span};
63
64pub mod symbol;
65pub use symbol::{
66 ByteSymbol, Ident, MacroRulesNormalizedIdent, Macros20NormalizedIdent, STDLIB_STABLE_CRATES,
67 Symbol, kw, sym,
68};
69
70mod analyze_source_file;
71pub mod fatal_error;
72
73pub mod profiling;
74
75use std::borrow::Cow;
76use std::cmp::{self, Ordering};
77use std::fmt::Display;
78use std::hash::Hash;
79use std::io::{self, Read};
80use std::ops::{Add, Range, Sub};
81use std::path::{Path, PathBuf};
82use std::str::FromStr;
83use std::sync::Arc;
84use std::{fmt, iter};
85
86use md5::{Digest, Md5};
87use rustc_data_structures::stable_hasher::{HashStable, StableHasher};
88use rustc_data_structures::sync::{FreezeLock, FreezeWriteGuard, Lock};
89use rustc_data_structures::unord::UnordMap;
90use rustc_hashes::{Hash64, Hash128};
91use sha1::Sha1;
92use sha2::Sha256;
93
94#[cfg(test)]
95mod tests;
96
97pub struct SessionGlobals {
102 symbol_interner: symbol::Interner,
103 span_interner: Lock<span_encoding::SpanInterner>,
104 metavar_spans: MetavarSpansMap,
107 hygiene_data: Lock<hygiene::HygieneData>,
108
109 source_map: Option<Arc<SourceMap>>,
113}
114
115impl SessionGlobals {
116 pub fn new(
117 edition: Edition,
118 extra_symbols: &[&'static str],
119 sm_inputs: Option<SourceMapInputs>,
120 ) -> SessionGlobals {
121 SessionGlobals {
122 symbol_interner: symbol::Interner::with_extra_symbols(extra_symbols),
123 span_interner: Lock::new(span_encoding::SpanInterner::default()),
124 metavar_spans: Default::default(),
125 hygiene_data: Lock::new(hygiene::HygieneData::new(edition)),
126 source_map: sm_inputs.map(|inputs| Arc::new(SourceMap::with_inputs(inputs))),
127 }
128 }
129}
130
131pub fn create_session_globals_then<R>(
132 edition: Edition,
133 extra_symbols: &[&'static str],
134 sm_inputs: Option<SourceMapInputs>,
135 f: impl FnOnce() -> R,
136) -> R {
137 assert!(
138 !SESSION_GLOBALS.is_set(),
139 "SESSION_GLOBALS should never be overwritten! \
140 Use another thread if you need another SessionGlobals"
141 );
142 let session_globals = SessionGlobals::new(edition, extra_symbols, sm_inputs);
143 SESSION_GLOBALS.set(&session_globals, f)
144}
145
146pub fn set_session_globals_then<R>(session_globals: &SessionGlobals, f: impl FnOnce() -> R) -> R {
147 assert!(
148 !SESSION_GLOBALS.is_set(),
149 "SESSION_GLOBALS should never be overwritten! \
150 Use another thread if you need another SessionGlobals"
151 );
152 SESSION_GLOBALS.set(session_globals, f)
153}
154
155pub fn create_session_if_not_set_then<R, F>(edition: Edition, f: F) -> R
157where
158 F: FnOnce(&SessionGlobals) -> R,
159{
160 if !SESSION_GLOBALS.is_set() {
161 let session_globals = SessionGlobals::new(edition, &[], None);
162 SESSION_GLOBALS.set(&session_globals, || SESSION_GLOBALS.with(f))
163 } else {
164 SESSION_GLOBALS.with(f)
165 }
166}
167
168#[inline]
169pub fn with_session_globals<R, F>(f: F) -> R
170where
171 F: FnOnce(&SessionGlobals) -> R,
172{
173 SESSION_GLOBALS.with(f)
174}
175
176pub fn create_default_session_globals_then<R>(f: impl FnOnce() -> R) -> R {
178 create_session_globals_then(edition::DEFAULT_EDITION, &[], None, f)
179}
180
181scoped_tls::scoped_thread_local!(static SESSION_GLOBALS: SessionGlobals);
185
186#[derive(Default)]
187pub struct MetavarSpansMap(FreezeLock<UnordMap<Span, (Span, bool)>>);
188
189impl MetavarSpansMap {
190 pub fn insert(&self, span: Span, var_span: Span) -> bool {
191 match self.0.write().try_insert(span, (var_span, false)) {
192 Ok(_) => true,
193 Err(entry) => entry.entry.get().0 == var_span,
194 }
195 }
196
197 pub fn get(&self, span: Span) -> Option<Span> {
199 if let Some(mut mspans) = self.0.try_write() {
200 if let Some((var_span, read)) = mspans.get_mut(&span) {
201 *read = true;
202 Some(*var_span)
203 } else {
204 None
205 }
206 } else {
207 if let Some((span, true)) = self.0.read().get(&span) { Some(*span) } else { None }
208 }
209 }
210
211 pub fn freeze_and_get_read_spans(&self) -> UnordMap<Span, Span> {
215 self.0.freeze().items().filter(|(_, (_, b))| *b).map(|(s1, (s2, _))| (*s1, *s2)).collect()
216 }
217}
218
219#[inline]
220pub fn with_metavar_spans<R>(f: impl FnOnce(&MetavarSpansMap) -> R) -> R {
221 with_session_globals(|session_globals| f(&session_globals.metavar_spans))
222}
223
224#[derive(Debug, Eq, PartialEq, Clone, Ord, PartialOrd, Decodable, Encodable)]
227pub enum RealFileName {
228 LocalPath(PathBuf),
229 Remapped {
233 local_path: Option<PathBuf>,
236 virtual_name: PathBuf,
239 },
240}
241
242impl Hash for RealFileName {
243 fn hash<H: std::hash::Hasher>(&self, state: &mut H) {
244 self.remapped_path_if_available().hash(state)
249 }
250}
251
252impl RealFileName {
253 pub fn local_path(&self) -> Option<&Path> {
257 match self {
258 RealFileName::LocalPath(p) => Some(p),
259 RealFileName::Remapped { local_path, virtual_name: _ } => local_path.as_deref(),
260 }
261 }
262
263 pub fn into_local_path(self) -> Option<PathBuf> {
267 match self {
268 RealFileName::LocalPath(p) => Some(p),
269 RealFileName::Remapped { local_path: p, virtual_name: _ } => p,
270 }
271 }
272
273 pub fn remapped_path_if_available(&self) -> &Path {
278 match self {
279 RealFileName::LocalPath(p)
280 | RealFileName::Remapped { local_path: _, virtual_name: p } => p,
281 }
282 }
283
284 pub fn local_path_if_available(&self) -> &Path {
288 match self {
289 RealFileName::LocalPath(path)
290 | RealFileName::Remapped { local_path: None, virtual_name: path }
291 | RealFileName::Remapped { local_path: Some(path), virtual_name: _ } => path,
292 }
293 }
294
295 pub fn to_path(&self, display_pref: FileNameDisplayPreference) -> &Path {
299 match display_pref {
300 FileNameDisplayPreference::Local | FileNameDisplayPreference::Short => {
301 self.local_path_if_available()
302 }
303 FileNameDisplayPreference::Remapped => self.remapped_path_if_available(),
304 }
305 }
306
307 pub fn to_string_lossy(&self, display_pref: FileNameDisplayPreference) -> Cow<'_, str> {
308 match display_pref {
309 FileNameDisplayPreference::Local => self.local_path_if_available().to_string_lossy(),
310 FileNameDisplayPreference::Remapped => {
311 self.remapped_path_if_available().to_string_lossy()
312 }
313 FileNameDisplayPreference::Short => self
314 .local_path_if_available()
315 .file_name()
316 .map_or_else(|| "".into(), |f| f.to_string_lossy()),
317 }
318 }
319}
320
321#[derive(Debug, Eq, PartialEq, Clone, Ord, PartialOrd, Hash, Decodable, Encodable)]
323pub enum FileName {
324 Real(RealFileName),
325 CfgSpec(Hash64),
327 Anon(Hash64),
329 MacroExpansion(Hash64),
332 ProcMacroSourceCode(Hash64),
333 CliCrateAttr(Hash64),
335 Custom(String),
337 DocTest(PathBuf, isize),
338 InlineAsm(Hash64),
340}
341
342impl From<PathBuf> for FileName {
343 fn from(p: PathBuf) -> Self {
344 FileName::Real(RealFileName::LocalPath(p))
345 }
346}
347
348#[derive(Clone, Copy, Eq, PartialEq, Hash, Debug)]
349pub enum FileNameEmbeddablePreference {
350 RemappedOnly,
354 LocalAndRemapped,
356}
357
358#[derive(Clone, Copy, Eq, PartialEq, Hash, Debug)]
359pub enum FileNameDisplayPreference {
360 Remapped,
363 Local,
366 Short,
369}
370
371pub struct FileNameDisplay<'a> {
372 inner: &'a FileName,
373 display_pref: FileNameDisplayPreference,
374}
375
376impl fmt::Display for FileNameDisplay<'_> {
377 fn fmt(&self, fmt: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
378 use FileName::*;
379 match *self.inner {
380 Real(ref name) => {
381 write!(fmt, "{}", name.to_string_lossy(self.display_pref))
382 }
383 CfgSpec(_) => write!(fmt, "<cfgspec>"),
384 MacroExpansion(_) => write!(fmt, "<macro expansion>"),
385 Anon(_) => write!(fmt, "<anon>"),
386 ProcMacroSourceCode(_) => write!(fmt, "<proc-macro source code>"),
387 CliCrateAttr(_) => write!(fmt, "<crate attribute>"),
388 Custom(ref s) => write!(fmt, "<{s}>"),
389 DocTest(ref path, _) => write!(fmt, "{}", path.display()),
390 InlineAsm(_) => write!(fmt, "<inline asm>"),
391 }
392 }
393}
394
395impl<'a> FileNameDisplay<'a> {
396 pub fn to_string_lossy(&self) -> Cow<'a, str> {
397 match self.inner {
398 FileName::Real(inner) => inner.to_string_lossy(self.display_pref),
399 _ => Cow::from(self.to_string()),
400 }
401 }
402}
403
404impl FileName {
405 pub fn is_real(&self) -> bool {
406 use FileName::*;
407 match *self {
408 Real(_) => true,
409 Anon(_)
410 | MacroExpansion(_)
411 | ProcMacroSourceCode(_)
412 | CliCrateAttr(_)
413 | Custom(_)
414 | CfgSpec(_)
415 | DocTest(_, _)
416 | InlineAsm(_) => false,
417 }
418 }
419
420 pub fn prefer_remapped_unconditionally(&self) -> FileNameDisplay<'_> {
421 FileNameDisplay { inner: self, display_pref: FileNameDisplayPreference::Remapped }
422 }
423
424 pub fn prefer_local(&self) -> FileNameDisplay<'_> {
427 FileNameDisplay { inner: self, display_pref: FileNameDisplayPreference::Local }
428 }
429
430 pub fn display(&self, display_pref: FileNameDisplayPreference) -> FileNameDisplay<'_> {
431 FileNameDisplay { inner: self, display_pref }
432 }
433
434 pub fn macro_expansion_source_code(src: &str) -> FileName {
435 let mut hasher = StableHasher::new();
436 src.hash(&mut hasher);
437 FileName::MacroExpansion(hasher.finish())
438 }
439
440 pub fn anon_source_code(src: &str) -> FileName {
441 let mut hasher = StableHasher::new();
442 src.hash(&mut hasher);
443 FileName::Anon(hasher.finish())
444 }
445
446 pub fn proc_macro_source_code(src: &str) -> FileName {
447 let mut hasher = StableHasher::new();
448 src.hash(&mut hasher);
449 FileName::ProcMacroSourceCode(hasher.finish())
450 }
451
452 pub fn cfg_spec_source_code(src: &str) -> FileName {
453 let mut hasher = StableHasher::new();
454 src.hash(&mut hasher);
455 FileName::CfgSpec(hasher.finish())
456 }
457
458 pub fn cli_crate_attr_source_code(src: &str) -> FileName {
459 let mut hasher = StableHasher::new();
460 src.hash(&mut hasher);
461 FileName::CliCrateAttr(hasher.finish())
462 }
463
464 pub fn doc_test_source_code(path: PathBuf, line: isize) -> FileName {
465 FileName::DocTest(path, line)
466 }
467
468 pub fn inline_asm_source_code(src: &str) -> FileName {
469 let mut hasher = StableHasher::new();
470 src.hash(&mut hasher);
471 FileName::InlineAsm(hasher.finish())
472 }
473
474 pub fn into_local_path(self) -> Option<PathBuf> {
478 match self {
479 FileName::Real(path) => path.into_local_path(),
480 FileName::DocTest(path, _) => Some(path),
481 _ => None,
482 }
483 }
484}
485
486#[derive(Clone, Copy, Hash, PartialEq, Eq)]
502#[derive_where(PartialOrd, Ord)]
503pub struct SpanData {
504 pub lo: BytePos,
505 pub hi: BytePos,
506 #[derive_where(skip)]
509 pub ctxt: SyntaxContext,
512 #[derive_where(skip)]
513 pub parent: Option<LocalDefId>,
516}
517
518impl SpanData {
519 #[inline]
520 pub fn span(&self) -> Span {
521 Span::new(self.lo, self.hi, self.ctxt, self.parent)
522 }
523 #[inline]
524 pub fn with_lo(&self, lo: BytePos) -> Span {
525 Span::new(lo, self.hi, self.ctxt, self.parent)
526 }
527 #[inline]
528 pub fn with_hi(&self, hi: BytePos) -> Span {
529 Span::new(self.lo, hi, self.ctxt, self.parent)
530 }
531 #[inline]
533 fn with_ctxt(&self, ctxt: SyntaxContext) -> Span {
534 Span::new(self.lo, self.hi, ctxt, self.parent)
535 }
536 #[inline]
538 fn with_parent(&self, parent: Option<LocalDefId>) -> Span {
539 Span::new(self.lo, self.hi, self.ctxt, parent)
540 }
541 #[inline]
543 pub fn is_dummy(self) -> bool {
544 self.lo.0 == 0 && self.hi.0 == 0
545 }
546 pub fn contains(self, other: Self) -> bool {
548 self.lo <= other.lo && other.hi <= self.hi
549 }
550}
551
552impl Default for SpanData {
553 fn default() -> Self {
554 Self { lo: BytePos(0), hi: BytePos(0), ctxt: SyntaxContext::root(), parent: None }
555 }
556}
557
558impl PartialOrd for Span {
559 fn partial_cmp(&self, rhs: &Self) -> Option<Ordering> {
560 PartialOrd::partial_cmp(&self.data(), &rhs.data())
561 }
562}
563impl Ord for Span {
564 fn cmp(&self, rhs: &Self) -> Ordering {
565 Ord::cmp(&self.data(), &rhs.data())
566 }
567}
568
569impl Span {
570 #[inline]
571 pub fn lo(self) -> BytePos {
572 self.data().lo
573 }
574 #[inline]
575 pub fn with_lo(self, lo: BytePos) -> Span {
576 self.data().with_lo(lo)
577 }
578 #[inline]
579 pub fn hi(self) -> BytePos {
580 self.data().hi
581 }
582 #[inline]
583 pub fn with_hi(self, hi: BytePos) -> Span {
584 self.data().with_hi(hi)
585 }
586 #[inline]
587 pub fn with_ctxt(self, ctxt: SyntaxContext) -> Span {
588 self.map_ctxt(|_| ctxt)
589 }
590
591 #[inline]
592 pub fn is_visible(self, sm: &SourceMap) -> bool {
593 !self.is_dummy() && sm.is_span_accessible(self)
594 }
595
596 #[inline]
601 pub fn in_external_macro(self, sm: &SourceMap) -> bool {
602 self.ctxt().in_external_macro(sm)
603 }
604
605 pub fn in_derive_expansion(self) -> bool {
607 matches!(self.ctxt().outer_expn_data().kind, ExpnKind::Macro(MacroKind::Derive, _))
608 }
609
610 pub fn is_from_async_await(self) -> bool {
612 matches!(
613 self.ctxt().outer_expn_data().kind,
614 ExpnKind::Desugaring(DesugaringKind::Async | DesugaringKind::Await),
615 )
616 }
617
618 pub fn can_be_used_for_suggestions(self) -> bool {
620 !self.from_expansion()
621 || (self.in_derive_expansion()
625 && self.parent_callsite().map(|p| (p.lo(), p.hi())) != Some((self.lo(), self.hi())))
626 }
627
628 #[inline]
629 pub fn with_root_ctxt(lo: BytePos, hi: BytePos) -> Span {
630 Span::new(lo, hi, SyntaxContext::root(), None)
631 }
632
633 #[inline]
635 pub fn shrink_to_lo(self) -> Span {
636 let span = self.data_untracked();
637 span.with_hi(span.lo)
638 }
639 #[inline]
641 pub fn shrink_to_hi(self) -> Span {
642 let span = self.data_untracked();
643 span.with_lo(span.hi)
644 }
645
646 #[inline]
647 pub fn is_empty(self) -> bool {
649 let span = self.data_untracked();
650 span.hi == span.lo
651 }
652
653 pub fn substitute_dummy(self, other: Span) -> Span {
655 if self.is_dummy() { other } else { self }
656 }
657
658 pub fn contains(self, other: Span) -> bool {
660 let span = self.data();
661 let other = other.data();
662 span.contains(other)
663 }
664
665 pub fn overlaps(self, other: Span) -> bool {
667 let span = self.data();
668 let other = other.data();
669 span.lo < other.hi && other.lo < span.hi
670 }
671
672 pub fn overlaps_or_adjacent(self, other: Span) -> bool {
674 let span = self.data();
675 let other = other.data();
676 span.lo <= other.hi && other.lo <= span.hi
677 }
678
679 pub fn source_equal(self, other: Span) -> bool {
684 let span = self.data();
685 let other = other.data();
686 span.lo == other.lo && span.hi == other.hi
687 }
688
689 pub fn trim_start(self, other: Span) -> Option<Span> {
691 let span = self.data();
692 let other = other.data();
693 if span.hi > other.hi { Some(span.with_lo(cmp::max(span.lo, other.hi))) } else { None }
694 }
695
696 pub fn trim_end(self, other: Span) -> Option<Span> {
698 let span = self.data();
699 let other = other.data();
700 if span.lo < other.lo { Some(span.with_hi(cmp::min(span.hi, other.lo))) } else { None }
701 }
702
703 pub fn source_callsite(self) -> Span {
706 let ctxt = self.ctxt();
707 if !ctxt.is_root() { ctxt.outer_expn_data().call_site.source_callsite() } else { self }
708 }
709
710 pub fn parent_callsite(self) -> Option<Span> {
713 let ctxt = self.ctxt();
714 (!ctxt.is_root()).then(|| ctxt.outer_expn_data().call_site)
715 }
716
717 pub fn find_ancestor_inside(mut self, outer: Span) -> Option<Span> {
730 while !outer.contains(self) {
731 self = self.parent_callsite()?;
732 }
733 Some(self)
734 }
735
736 pub fn find_ancestor_in_same_ctxt(mut self, other: Span) -> Option<Span> {
749 while !self.eq_ctxt(other) {
750 self = self.parent_callsite()?;
751 }
752 Some(self)
753 }
754
755 pub fn find_ancestor_inside_same_ctxt(mut self, outer: Span) -> Option<Span> {
768 while !outer.contains(self) || !self.eq_ctxt(outer) {
769 self = self.parent_callsite()?;
770 }
771 Some(self)
772 }
773
774 pub fn find_ancestor_not_from_extern_macro(mut self, sm: &SourceMap) -> Option<Span> {
788 while self.in_external_macro(sm) {
789 self = self.parent_callsite()?;
790 }
791 Some(self)
792 }
793
794 pub fn find_ancestor_not_from_macro(mut self) -> Option<Span> {
807 while self.from_expansion() {
808 self = self.parent_callsite()?;
809 }
810 Some(self)
811 }
812
813 pub fn edition(self) -> edition::Edition {
815 self.ctxt().edition()
816 }
817
818 #[inline]
820 pub fn is_rust_2015(self) -> bool {
821 self.edition().is_rust_2015()
822 }
823
824 #[inline]
826 pub fn at_least_rust_2018(self) -> bool {
827 self.edition().at_least_rust_2018()
828 }
829
830 #[inline]
832 pub fn at_least_rust_2021(self) -> bool {
833 self.edition().at_least_rust_2021()
834 }
835
836 #[inline]
838 pub fn at_least_rust_2024(self) -> bool {
839 self.edition().at_least_rust_2024()
840 }
841
842 pub fn source_callee(self) -> Option<ExpnData> {
848 let mut ctxt = self.ctxt();
849 let mut opt_expn_data = None;
850 while !ctxt.is_root() {
851 let expn_data = ctxt.outer_expn_data();
852 ctxt = expn_data.call_site.ctxt();
853 opt_expn_data = Some(expn_data);
854 }
855 opt_expn_data
856 }
857
858 pub fn allows_unstable(self, feature: Symbol) -> bool {
862 self.ctxt()
863 .outer_expn_data()
864 .allow_internal_unstable
865 .is_some_and(|features| features.contains(&feature))
866 }
867
868 pub fn is_desugaring(self, kind: DesugaringKind) -> bool {
870 match self.ctxt().outer_expn_data().kind {
871 ExpnKind::Desugaring(k) => k == kind,
872 _ => false,
873 }
874 }
875
876 pub fn desugaring_kind(self) -> Option<DesugaringKind> {
879 match self.ctxt().outer_expn_data().kind {
880 ExpnKind::Desugaring(k) => Some(k),
881 _ => None,
882 }
883 }
884
885 pub fn allows_unsafe(self) -> bool {
889 self.ctxt().outer_expn_data().allow_internal_unsafe
890 }
891
892 pub fn macro_backtrace(mut self) -> impl Iterator<Item = ExpnData> {
893 let mut prev_span = DUMMY_SP;
894 iter::from_fn(move || {
895 loop {
896 let ctxt = self.ctxt();
897 if ctxt.is_root() {
898 return None;
899 }
900
901 let expn_data = ctxt.outer_expn_data();
902 let is_recursive = expn_data.call_site.source_equal(prev_span);
903
904 prev_span = self;
905 self = expn_data.call_site;
906
907 if !is_recursive {
909 return Some(expn_data);
910 }
911 }
912 })
913 }
914
915 pub fn split_at(self, pos: u32) -> (Span, Span) {
917 let len = self.hi().0 - self.lo().0;
918 debug_assert!(pos <= len);
919
920 let split_pos = BytePos(self.lo().0 + pos);
921 (
922 Span::new(self.lo(), split_pos, self.ctxt(), self.parent()),
923 Span::new(split_pos, self.hi(), self.ctxt(), self.parent()),
924 )
925 }
926
927 fn try_metavars(a: SpanData, b: SpanData, a_orig: Span, b_orig: Span) -> (SpanData, SpanData) {
929 match with_metavar_spans(|mspans| (mspans.get(a_orig), mspans.get(b_orig))) {
930 (None, None) => {}
931 (Some(meta_a), None) => {
932 let meta_a = meta_a.data();
933 if meta_a.ctxt == b.ctxt {
934 return (meta_a, b);
935 }
936 }
937 (None, Some(meta_b)) => {
938 let meta_b = meta_b.data();
939 if a.ctxt == meta_b.ctxt {
940 return (a, meta_b);
941 }
942 }
943 (Some(meta_a), Some(meta_b)) => {
944 let meta_b = meta_b.data();
945 if a.ctxt == meta_b.ctxt {
946 return (a, meta_b);
947 }
948 let meta_a = meta_a.data();
949 if meta_a.ctxt == b.ctxt {
950 return (meta_a, b);
951 } else if meta_a.ctxt == meta_b.ctxt {
952 return (meta_a, meta_b);
953 }
954 }
955 }
956
957 (a, b)
958 }
959
960 fn prepare_to_combine(
962 a_orig: Span,
963 b_orig: Span,
964 ) -> Result<(SpanData, SpanData, Option<LocalDefId>), Span> {
965 let (a, b) = (a_orig.data(), b_orig.data());
966 if a.ctxt == b.ctxt {
967 return Ok((a, b, if a.parent == b.parent { a.parent } else { None }));
968 }
969
970 let (a, b) = Span::try_metavars(a, b, a_orig, b_orig);
971 if a.ctxt == b.ctxt {
972 return Ok((a, b, if a.parent == b.parent { a.parent } else { None }));
973 }
974
975 let a_is_callsite = a.ctxt.is_root() || a.ctxt == b.span().source_callsite().ctxt();
983 Err(if a_is_callsite { b_orig } else { a_orig })
984 }
985
986 pub fn with_neighbor(self, neighbor: Span) -> Span {
988 match Span::prepare_to_combine(self, neighbor) {
989 Ok((this, ..)) => this.span(),
990 Err(_) => self,
991 }
992 }
993
994 pub fn to(self, end: Span) -> Span {
1005 match Span::prepare_to_combine(self, end) {
1006 Ok((from, to, parent)) => {
1007 Span::new(cmp::min(from.lo, to.lo), cmp::max(from.hi, to.hi), from.ctxt, parent)
1008 }
1009 Err(fallback) => fallback,
1010 }
1011 }
1012
1013 pub fn between(self, end: Span) -> Span {
1021 match Span::prepare_to_combine(self, end) {
1022 Ok((from, to, parent)) => {
1023 Span::new(cmp::min(from.hi, to.hi), cmp::max(from.lo, to.lo), from.ctxt, parent)
1024 }
1025 Err(fallback) => fallback,
1026 }
1027 }
1028
1029 pub fn until(self, end: Span) -> Span {
1037 match Span::prepare_to_combine(self, end) {
1038 Ok((from, to, parent)) => {
1039 Span::new(cmp::min(from.lo, to.lo), cmp::max(from.lo, to.lo), from.ctxt, parent)
1040 }
1041 Err(fallback) => fallback,
1042 }
1043 }
1044
1045 pub fn within_macro(self, within: Span, sm: &SourceMap) -> Option<Span> {
1060 match Span::prepare_to_combine(self, within) {
1061 Ok((self_, _, parent))
1068 if self_.hi < self.lo() || self.hi() < self_.lo && !sm.is_imported(within) =>
1069 {
1070 Some(Span::new(self_.lo, self_.hi, self_.ctxt, parent))
1071 }
1072 _ => None,
1073 }
1074 }
1075
1076 pub fn from_inner(self, inner: InnerSpan) -> Span {
1077 let span = self.data();
1078 Span::new(
1079 span.lo + BytePos::from_usize(inner.start),
1080 span.lo + BytePos::from_usize(inner.end),
1081 span.ctxt,
1082 span.parent,
1083 )
1084 }
1085
1086 pub fn with_def_site_ctxt(self, expn_id: ExpnId) -> Span {
1089 self.with_ctxt_from_mark(expn_id, Transparency::Opaque)
1090 }
1091
1092 pub fn with_call_site_ctxt(self, expn_id: ExpnId) -> Span {
1095 self.with_ctxt_from_mark(expn_id, Transparency::Transparent)
1096 }
1097
1098 pub fn with_mixed_site_ctxt(self, expn_id: ExpnId) -> Span {
1101 self.with_ctxt_from_mark(expn_id, Transparency::SemiOpaque)
1102 }
1103
1104 fn with_ctxt_from_mark(self, expn_id: ExpnId, transparency: Transparency) -> Span {
1108 self.with_ctxt(SyntaxContext::root().apply_mark(expn_id, transparency))
1109 }
1110
1111 #[inline]
1112 pub fn apply_mark(self, expn_id: ExpnId, transparency: Transparency) -> Span {
1113 self.map_ctxt(|ctxt| ctxt.apply_mark(expn_id, transparency))
1114 }
1115
1116 #[inline]
1117 pub fn remove_mark(&mut self) -> ExpnId {
1118 let mut mark = ExpnId::root();
1119 *self = self.map_ctxt(|mut ctxt| {
1120 mark = ctxt.remove_mark();
1121 ctxt
1122 });
1123 mark
1124 }
1125
1126 #[inline]
1127 pub fn adjust(&mut self, expn_id: ExpnId) -> Option<ExpnId> {
1128 let mut mark = None;
1129 *self = self.map_ctxt(|mut ctxt| {
1130 mark = ctxt.adjust(expn_id);
1131 ctxt
1132 });
1133 mark
1134 }
1135
1136 #[inline]
1137 pub fn normalize_to_macros_2_0_and_adjust(&mut self, expn_id: ExpnId) -> Option<ExpnId> {
1138 let mut mark = None;
1139 *self = self.map_ctxt(|mut ctxt| {
1140 mark = ctxt.normalize_to_macros_2_0_and_adjust(expn_id);
1141 ctxt
1142 });
1143 mark
1144 }
1145
1146 #[inline]
1147 pub fn glob_adjust(&mut self, expn_id: ExpnId, glob_span: Span) -> Option<Option<ExpnId>> {
1148 let mut mark = None;
1149 *self = self.map_ctxt(|mut ctxt| {
1150 mark = ctxt.glob_adjust(expn_id, glob_span);
1151 ctxt
1152 });
1153 mark
1154 }
1155
1156 #[inline]
1157 pub fn reverse_glob_adjust(
1158 &mut self,
1159 expn_id: ExpnId,
1160 glob_span: Span,
1161 ) -> Option<Option<ExpnId>> {
1162 let mut mark = None;
1163 *self = self.map_ctxt(|mut ctxt| {
1164 mark = ctxt.reverse_glob_adjust(expn_id, glob_span);
1165 ctxt
1166 });
1167 mark
1168 }
1169
1170 #[inline]
1171 pub fn normalize_to_macros_2_0(self) -> Span {
1172 self.map_ctxt(|ctxt| ctxt.normalize_to_macros_2_0())
1173 }
1174
1175 #[inline]
1176 pub fn normalize_to_macro_rules(self) -> Span {
1177 self.map_ctxt(|ctxt| ctxt.normalize_to_macro_rules())
1178 }
1179}
1180
1181impl Default for Span {
1182 fn default() -> Self {
1183 DUMMY_SP
1184 }
1185}
1186
1187rustc_index::newtype_index! {
1188 #[orderable]
1189 #[debug_format = "AttrId({})"]
1190 pub struct AttrId {}
1191}
1192
1193pub trait SpanEncoder: Encoder {
1196 fn encode_span(&mut self, span: Span);
1197 fn encode_symbol(&mut self, sym: Symbol);
1198 fn encode_byte_symbol(&mut self, byte_sym: ByteSymbol);
1199 fn encode_expn_id(&mut self, expn_id: ExpnId);
1200 fn encode_syntax_context(&mut self, syntax_context: SyntaxContext);
1201 fn encode_crate_num(&mut self, crate_num: CrateNum);
1204 fn encode_def_index(&mut self, def_index: DefIndex);
1205 fn encode_def_id(&mut self, def_id: DefId);
1206}
1207
1208impl SpanEncoder for FileEncoder {
1209 fn encode_span(&mut self, span: Span) {
1210 let span = span.data();
1211 span.lo.encode(self);
1212 span.hi.encode(self);
1213 }
1214
1215 fn encode_symbol(&mut self, sym: Symbol) {
1216 self.emit_str(sym.as_str());
1217 }
1218
1219 fn encode_byte_symbol(&mut self, byte_sym: ByteSymbol) {
1220 self.emit_byte_str(byte_sym.as_byte_str());
1221 }
1222
1223 fn encode_expn_id(&mut self, _expn_id: ExpnId) {
1224 panic!("cannot encode `ExpnId` with `FileEncoder`");
1225 }
1226
1227 fn encode_syntax_context(&mut self, _syntax_context: SyntaxContext) {
1228 panic!("cannot encode `SyntaxContext` with `FileEncoder`");
1229 }
1230
1231 fn encode_crate_num(&mut self, crate_num: CrateNum) {
1232 self.emit_u32(crate_num.as_u32());
1233 }
1234
1235 fn encode_def_index(&mut self, _def_index: DefIndex) {
1236 panic!("cannot encode `DefIndex` with `FileEncoder`");
1237 }
1238
1239 fn encode_def_id(&mut self, def_id: DefId) {
1240 def_id.krate.encode(self);
1241 def_id.index.encode(self);
1242 }
1243}
1244
1245impl<E: SpanEncoder> Encodable<E> for Span {
1246 fn encode(&self, s: &mut E) {
1247 s.encode_span(*self);
1248 }
1249}
1250
1251impl<E: SpanEncoder> Encodable<E> for Symbol {
1252 fn encode(&self, s: &mut E) {
1253 s.encode_symbol(*self);
1254 }
1255}
1256
1257impl<E: SpanEncoder> Encodable<E> for ByteSymbol {
1258 fn encode(&self, s: &mut E) {
1259 s.encode_byte_symbol(*self);
1260 }
1261}
1262
1263impl<E: SpanEncoder> Encodable<E> for ExpnId {
1264 fn encode(&self, s: &mut E) {
1265 s.encode_expn_id(*self)
1266 }
1267}
1268
1269impl<E: SpanEncoder> Encodable<E> for SyntaxContext {
1270 fn encode(&self, s: &mut E) {
1271 s.encode_syntax_context(*self)
1272 }
1273}
1274
1275impl<E: SpanEncoder> Encodable<E> for CrateNum {
1276 fn encode(&self, s: &mut E) {
1277 s.encode_crate_num(*self)
1278 }
1279}
1280
1281impl<E: SpanEncoder> Encodable<E> for DefIndex {
1282 fn encode(&self, s: &mut E) {
1283 s.encode_def_index(*self)
1284 }
1285}
1286
1287impl<E: SpanEncoder> Encodable<E> for DefId {
1288 fn encode(&self, s: &mut E) {
1289 s.encode_def_id(*self)
1290 }
1291}
1292
1293impl<E: SpanEncoder> Encodable<E> for AttrId {
1294 fn encode(&self, _s: &mut E) {
1295 }
1297}
1298
1299pub trait SpanDecoder: Decoder {
1302 fn decode_span(&mut self) -> Span;
1303 fn decode_symbol(&mut self) -> Symbol;
1304 fn decode_byte_symbol(&mut self) -> ByteSymbol;
1305 fn decode_expn_id(&mut self) -> ExpnId;
1306 fn decode_syntax_context(&mut self) -> SyntaxContext;
1307 fn decode_crate_num(&mut self) -> CrateNum;
1308 fn decode_def_index(&mut self) -> DefIndex;
1309 fn decode_def_id(&mut self) -> DefId;
1310 fn decode_attr_id(&mut self) -> AttrId;
1311}
1312
1313impl SpanDecoder for MemDecoder<'_> {
1314 fn decode_span(&mut self) -> Span {
1315 let lo = Decodable::decode(self);
1316 let hi = Decodable::decode(self);
1317
1318 Span::new(lo, hi, SyntaxContext::root(), None)
1319 }
1320
1321 fn decode_symbol(&mut self) -> Symbol {
1322 Symbol::intern(self.read_str())
1323 }
1324
1325 fn decode_byte_symbol(&mut self) -> ByteSymbol {
1326 ByteSymbol::intern(self.read_byte_str())
1327 }
1328
1329 fn decode_expn_id(&mut self) -> ExpnId {
1330 panic!("cannot decode `ExpnId` with `MemDecoder`");
1331 }
1332
1333 fn decode_syntax_context(&mut self) -> SyntaxContext {
1334 panic!("cannot decode `SyntaxContext` with `MemDecoder`");
1335 }
1336
1337 fn decode_crate_num(&mut self) -> CrateNum {
1338 CrateNum::from_u32(self.read_u32())
1339 }
1340
1341 fn decode_def_index(&mut self) -> DefIndex {
1342 panic!("cannot decode `DefIndex` with `MemDecoder`");
1343 }
1344
1345 fn decode_def_id(&mut self) -> DefId {
1346 DefId { krate: Decodable::decode(self), index: Decodable::decode(self) }
1347 }
1348
1349 fn decode_attr_id(&mut self) -> AttrId {
1350 panic!("cannot decode `AttrId` with `MemDecoder`");
1351 }
1352}
1353
1354impl<D: SpanDecoder> Decodable<D> for Span {
1355 fn decode(s: &mut D) -> Span {
1356 s.decode_span()
1357 }
1358}
1359
1360impl<D: SpanDecoder> Decodable<D> for Symbol {
1361 fn decode(s: &mut D) -> Symbol {
1362 s.decode_symbol()
1363 }
1364}
1365
1366impl<D: SpanDecoder> Decodable<D> for ByteSymbol {
1367 fn decode(s: &mut D) -> ByteSymbol {
1368 s.decode_byte_symbol()
1369 }
1370}
1371
1372impl<D: SpanDecoder> Decodable<D> for ExpnId {
1373 fn decode(s: &mut D) -> ExpnId {
1374 s.decode_expn_id()
1375 }
1376}
1377
1378impl<D: SpanDecoder> Decodable<D> for SyntaxContext {
1379 fn decode(s: &mut D) -> SyntaxContext {
1380 s.decode_syntax_context()
1381 }
1382}
1383
1384impl<D: SpanDecoder> Decodable<D> for CrateNum {
1385 fn decode(s: &mut D) -> CrateNum {
1386 s.decode_crate_num()
1387 }
1388}
1389
1390impl<D: SpanDecoder> Decodable<D> for DefIndex {
1391 fn decode(s: &mut D) -> DefIndex {
1392 s.decode_def_index()
1393 }
1394}
1395
1396impl<D: SpanDecoder> Decodable<D> for DefId {
1397 fn decode(s: &mut D) -> DefId {
1398 s.decode_def_id()
1399 }
1400}
1401
1402impl<D: SpanDecoder> Decodable<D> for AttrId {
1403 fn decode(s: &mut D) -> AttrId {
1404 s.decode_attr_id()
1405 }
1406}
1407
1408impl fmt::Debug for Span {
1409 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1410 fn fallback(span: Span, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1414 f.debug_struct("Span")
1415 .field("lo", &span.lo())
1416 .field("hi", &span.hi())
1417 .field("ctxt", &span.ctxt())
1418 .finish()
1419 }
1420
1421 if SESSION_GLOBALS.is_set() {
1422 with_session_globals(|session_globals| {
1423 if let Some(source_map) = &session_globals.source_map {
1424 write!(f, "{} ({:?})", source_map.span_to_diagnostic_string(*self), self.ctxt())
1425 } else {
1426 fallback(*self, f)
1427 }
1428 })
1429 } else {
1430 fallback(*self, f)
1431 }
1432 }
1433}
1434
1435impl fmt::Debug for SpanData {
1436 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1437 fmt::Debug::fmt(&self.span(), f)
1438 }
1439}
1440
1441#[derive(Copy, Clone, Encodable, Decodable, Eq, PartialEq, Debug, HashStable_Generic)]
1443pub struct MultiByteChar {
1444 pub pos: RelativeBytePos,
1446 pub bytes: u8,
1448}
1449
1450#[derive(Copy, Clone, Encodable, Decodable, Eq, PartialEq, Debug, HashStable_Generic)]
1452pub struct NormalizedPos {
1453 pub pos: RelativeBytePos,
1455 pub diff: u32,
1457}
1458
1459#[derive(PartialEq, Eq, Clone, Debug)]
1460pub enum ExternalSource {
1461 Unneeded,
1463 Foreign {
1464 kind: ExternalSourceKind,
1465 metadata_index: u32,
1467 },
1468}
1469
1470#[derive(PartialEq, Eq, Clone, Debug)]
1472pub enum ExternalSourceKind {
1473 Present(Arc<String>),
1475 AbsentOk,
1477 AbsentErr,
1479}
1480
1481impl ExternalSource {
1482 pub fn get_source(&self) -> Option<&str> {
1483 match self {
1484 ExternalSource::Foreign { kind: ExternalSourceKind::Present(src), .. } => Some(src),
1485 _ => None,
1486 }
1487 }
1488}
1489
1490#[derive(Debug)]
1491pub struct OffsetOverflowError;
1492
1493#[derive(Copy, Clone, Debug, PartialEq, Eq, PartialOrd, Ord, Hash, Encodable, Decodable)]
1494#[derive(HashStable_Generic)]
1495pub enum SourceFileHashAlgorithm {
1496 Md5,
1497 Sha1,
1498 Sha256,
1499 Blake3,
1500}
1501
1502impl Display for SourceFileHashAlgorithm {
1503 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1504 f.write_str(match self {
1505 Self::Md5 => "md5",
1506 Self::Sha1 => "sha1",
1507 Self::Sha256 => "sha256",
1508 Self::Blake3 => "blake3",
1509 })
1510 }
1511}
1512
1513impl FromStr for SourceFileHashAlgorithm {
1514 type Err = ();
1515
1516 fn from_str(s: &str) -> Result<SourceFileHashAlgorithm, ()> {
1517 match s {
1518 "md5" => Ok(SourceFileHashAlgorithm::Md5),
1519 "sha1" => Ok(SourceFileHashAlgorithm::Sha1),
1520 "sha256" => Ok(SourceFileHashAlgorithm::Sha256),
1521 "blake3" => Ok(SourceFileHashAlgorithm::Blake3),
1522 _ => Err(()),
1523 }
1524 }
1525}
1526
1527#[derive(Copy, Clone, PartialEq, Eq, Debug, Hash)]
1529#[derive(HashStable_Generic, Encodable, Decodable)]
1530pub struct SourceFileHash {
1531 pub kind: SourceFileHashAlgorithm,
1532 value: [u8; 32],
1533}
1534
1535impl Display for SourceFileHash {
1536 fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1537 write!(f, "{}=", self.kind)?;
1538 for byte in self.value[0..self.hash_len()].into_iter() {
1539 write!(f, "{byte:02x}")?;
1540 }
1541 Ok(())
1542 }
1543}
1544
1545impl SourceFileHash {
1546 pub fn new_in_memory(kind: SourceFileHashAlgorithm, src: impl AsRef<[u8]>) -> SourceFileHash {
1547 let mut hash = SourceFileHash { kind, value: Default::default() };
1548 let len = hash.hash_len();
1549 let value = &mut hash.value[..len];
1550 let data = src.as_ref();
1551 match kind {
1552 SourceFileHashAlgorithm::Md5 => {
1553 value.copy_from_slice(&Md5::digest(data));
1554 }
1555 SourceFileHashAlgorithm::Sha1 => {
1556 value.copy_from_slice(&Sha1::digest(data));
1557 }
1558 SourceFileHashAlgorithm::Sha256 => {
1559 value.copy_from_slice(&Sha256::digest(data));
1560 }
1561 SourceFileHashAlgorithm::Blake3 => value.copy_from_slice(blake3::hash(data).as_bytes()),
1562 };
1563 hash
1564 }
1565
1566 pub fn new(kind: SourceFileHashAlgorithm, src: impl Read) -> Result<SourceFileHash, io::Error> {
1567 let mut hash = SourceFileHash { kind, value: Default::default() };
1568 let len = hash.hash_len();
1569 let value = &mut hash.value[..len];
1570 let mut buf = vec![0; 16 * 1024];
1573
1574 fn digest<T>(
1575 mut hasher: T,
1576 mut update: impl FnMut(&mut T, &[u8]),
1577 finish: impl FnOnce(T, &mut [u8]),
1578 mut src: impl Read,
1579 buf: &mut [u8],
1580 value: &mut [u8],
1581 ) -> Result<(), io::Error> {
1582 loop {
1583 let bytes_read = src.read(buf)?;
1584 if bytes_read == 0 {
1585 break;
1586 }
1587 update(&mut hasher, &buf[0..bytes_read]);
1588 }
1589 finish(hasher, value);
1590 Ok(())
1591 }
1592
1593 match kind {
1594 SourceFileHashAlgorithm::Sha256 => {
1595 digest(
1596 Sha256::new(),
1597 |h, b| {
1598 h.update(b);
1599 },
1600 |h, out| out.copy_from_slice(&h.finalize()),
1601 src,
1602 &mut buf,
1603 value,
1604 )?;
1605 }
1606 SourceFileHashAlgorithm::Sha1 => {
1607 digest(
1608 Sha1::new(),
1609 |h, b| {
1610 h.update(b);
1611 },
1612 |h, out| out.copy_from_slice(&h.finalize()),
1613 src,
1614 &mut buf,
1615 value,
1616 )?;
1617 }
1618 SourceFileHashAlgorithm::Md5 => {
1619 digest(
1620 Md5::new(),
1621 |h, b| {
1622 h.update(b);
1623 },
1624 |h, out| out.copy_from_slice(&h.finalize()),
1625 src,
1626 &mut buf,
1627 value,
1628 )?;
1629 }
1630 SourceFileHashAlgorithm::Blake3 => {
1631 digest(
1632 blake3::Hasher::new(),
1633 |h, b| {
1634 h.update(b);
1635 },
1636 |h, out| out.copy_from_slice(h.finalize().as_bytes()),
1637 src,
1638 &mut buf,
1639 value,
1640 )?;
1641 }
1642 }
1643 Ok(hash)
1644 }
1645
1646 pub fn matches(&self, src: &str) -> bool {
1648 Self::new_in_memory(self.kind, src.as_bytes()) == *self
1649 }
1650
1651 pub fn hash_bytes(&self) -> &[u8] {
1653 let len = self.hash_len();
1654 &self.value[..len]
1655 }
1656
1657 fn hash_len(&self) -> usize {
1658 match self.kind {
1659 SourceFileHashAlgorithm::Md5 => 16,
1660 SourceFileHashAlgorithm::Sha1 => 20,
1661 SourceFileHashAlgorithm::Sha256 | SourceFileHashAlgorithm::Blake3 => 32,
1662 }
1663 }
1664}
1665
1666#[derive(Clone)]
1667pub enum SourceFileLines {
1668 Lines(Vec<RelativeBytePos>),
1670
1671 Diffs(SourceFileDiffs),
1673}
1674
1675impl SourceFileLines {
1676 pub fn is_lines(&self) -> bool {
1677 matches!(self, SourceFileLines::Lines(_))
1678 }
1679}
1680
1681#[derive(Clone)]
1689pub struct SourceFileDiffs {
1690 bytes_per_diff: usize,
1694
1695 num_diffs: usize,
1698
1699 raw_diffs: Vec<u8>,
1705}
1706
1707pub struct SourceFile {
1709 pub name: FileName,
1713 pub src: Option<Arc<String>>,
1715 pub src_hash: SourceFileHash,
1717 pub checksum_hash: Option<SourceFileHash>,
1721 pub external_src: FreezeLock<ExternalSource>,
1724 pub start_pos: BytePos,
1726 pub normalized_source_len: RelativeBytePos,
1728 pub unnormalized_source_len: u32,
1730 pub lines: FreezeLock<SourceFileLines>,
1732 pub multibyte_chars: Vec<MultiByteChar>,
1734 pub normalized_pos: Vec<NormalizedPos>,
1736 pub stable_id: StableSourceFileId,
1740 pub cnum: CrateNum,
1742}
1743
1744impl Clone for SourceFile {
1745 fn clone(&self) -> Self {
1746 Self {
1747 name: self.name.clone(),
1748 src: self.src.clone(),
1749 src_hash: self.src_hash,
1750 checksum_hash: self.checksum_hash,
1751 external_src: self.external_src.clone(),
1752 start_pos: self.start_pos,
1753 normalized_source_len: self.normalized_source_len,
1754 unnormalized_source_len: self.unnormalized_source_len,
1755 lines: self.lines.clone(),
1756 multibyte_chars: self.multibyte_chars.clone(),
1757 normalized_pos: self.normalized_pos.clone(),
1758 stable_id: self.stable_id,
1759 cnum: self.cnum,
1760 }
1761 }
1762}
1763
1764impl<S: SpanEncoder> Encodable<S> for SourceFile {
1765 fn encode(&self, s: &mut S) {
1766 self.name.encode(s);
1767 self.src_hash.encode(s);
1768 self.checksum_hash.encode(s);
1769 self.normalized_source_len.encode(s);
1771 self.unnormalized_source_len.encode(s);
1772
1773 assert!(self.lines.read().is_lines());
1775 let lines = self.lines();
1776 s.emit_u32(lines.len() as u32);
1778
1779 if lines.len() != 0 {
1781 let max_line_length = if lines.len() == 1 {
1782 0
1783 } else {
1784 lines
1785 .array_windows()
1786 .map(|&[fst, snd]| snd - fst)
1787 .map(|bp| bp.to_usize())
1788 .max()
1789 .unwrap()
1790 };
1791
1792 let bytes_per_diff: usize = match max_line_length {
1793 0..=0xFF => 1,
1794 0x100..=0xFFFF => 2,
1795 _ => 4,
1796 };
1797
1798 s.emit_u8(bytes_per_diff as u8);
1800
1801 assert_eq!(lines[0], RelativeBytePos(0));
1803
1804 let diff_iter = lines.array_windows().map(|&[fst, snd]| snd - fst);
1806 let num_diffs = lines.len() - 1;
1807 let mut raw_diffs;
1808 match bytes_per_diff {
1809 1 => {
1810 raw_diffs = Vec::with_capacity(num_diffs);
1811 for diff in diff_iter {
1812 raw_diffs.push(diff.0 as u8);
1813 }
1814 }
1815 2 => {
1816 raw_diffs = Vec::with_capacity(bytes_per_diff * num_diffs);
1817 for diff in diff_iter {
1818 raw_diffs.extend_from_slice(&(diff.0 as u16).to_le_bytes());
1819 }
1820 }
1821 4 => {
1822 raw_diffs = Vec::with_capacity(bytes_per_diff * num_diffs);
1823 for diff in diff_iter {
1824 raw_diffs.extend_from_slice(&(diff.0).to_le_bytes());
1825 }
1826 }
1827 _ => unreachable!(),
1828 }
1829 s.emit_raw_bytes(&raw_diffs);
1830 }
1831
1832 self.multibyte_chars.encode(s);
1833 self.stable_id.encode(s);
1834 self.normalized_pos.encode(s);
1835 self.cnum.encode(s);
1836 }
1837}
1838
1839impl<D: SpanDecoder> Decodable<D> for SourceFile {
1840 fn decode(d: &mut D) -> SourceFile {
1841 let name: FileName = Decodable::decode(d);
1842 let src_hash: SourceFileHash = Decodable::decode(d);
1843 let checksum_hash: Option<SourceFileHash> = Decodable::decode(d);
1844 let normalized_source_len: RelativeBytePos = Decodable::decode(d);
1845 let unnormalized_source_len = Decodable::decode(d);
1846 let lines = {
1847 let num_lines: u32 = Decodable::decode(d);
1848 if num_lines > 0 {
1849 let bytes_per_diff = d.read_u8() as usize;
1851
1852 let num_diffs = num_lines as usize - 1;
1854 let raw_diffs = d.read_raw_bytes(bytes_per_diff * num_diffs).to_vec();
1855 SourceFileLines::Diffs(SourceFileDiffs { bytes_per_diff, num_diffs, raw_diffs })
1856 } else {
1857 SourceFileLines::Lines(vec![])
1858 }
1859 };
1860 let multibyte_chars: Vec<MultiByteChar> = Decodable::decode(d);
1861 let stable_id = Decodable::decode(d);
1862 let normalized_pos: Vec<NormalizedPos> = Decodable::decode(d);
1863 let cnum: CrateNum = Decodable::decode(d);
1864 SourceFile {
1865 name,
1866 start_pos: BytePos::from_u32(0),
1867 normalized_source_len,
1868 unnormalized_source_len,
1869 src: None,
1870 src_hash,
1871 checksum_hash,
1872 external_src: FreezeLock::frozen(ExternalSource::Unneeded),
1875 lines: FreezeLock::new(lines),
1876 multibyte_chars,
1877 normalized_pos,
1878 stable_id,
1879 cnum,
1880 }
1881 }
1882}
1883
1884impl fmt::Debug for SourceFile {
1885 fn fmt(&self, fmt: &mut fmt::Formatter<'_>) -> fmt::Result {
1886 write!(fmt, "SourceFile({:?})", self.name)
1887 }
1888}
1889
1890#[derive(
1912 Debug,
1913 Clone,
1914 Copy,
1915 Hash,
1916 PartialEq,
1917 Eq,
1918 HashStable_Generic,
1919 Encodable,
1920 Decodable,
1921 Default,
1922 PartialOrd,
1923 Ord
1924)]
1925pub struct StableSourceFileId(Hash128);
1926
1927impl StableSourceFileId {
1928 fn from_filename_in_current_crate(filename: &FileName) -> Self {
1929 Self::from_filename_and_stable_crate_id(filename, None)
1930 }
1931
1932 pub fn from_filename_for_export(
1933 filename: &FileName,
1934 local_crate_stable_crate_id: StableCrateId,
1935 ) -> Self {
1936 Self::from_filename_and_stable_crate_id(filename, Some(local_crate_stable_crate_id))
1937 }
1938
1939 fn from_filename_and_stable_crate_id(
1940 filename: &FileName,
1941 stable_crate_id: Option<StableCrateId>,
1942 ) -> Self {
1943 let mut hasher = StableHasher::new();
1944 filename.hash(&mut hasher);
1945 stable_crate_id.hash(&mut hasher);
1946 StableSourceFileId(hasher.finish())
1947 }
1948}
1949
1950impl SourceFile {
1951 const MAX_FILE_SIZE: u32 = u32::MAX - 1;
1952
1953 pub fn new(
1954 name: FileName,
1955 mut src: String,
1956 hash_kind: SourceFileHashAlgorithm,
1957 checksum_hash_kind: Option<SourceFileHashAlgorithm>,
1958 ) -> Result<Self, OffsetOverflowError> {
1959 let src_hash = SourceFileHash::new_in_memory(hash_kind, src.as_bytes());
1961 let checksum_hash = checksum_hash_kind.map(|checksum_hash_kind| {
1962 if checksum_hash_kind == hash_kind {
1963 src_hash
1964 } else {
1965 SourceFileHash::new_in_memory(checksum_hash_kind, src.as_bytes())
1966 }
1967 });
1968 let unnormalized_source_len = u32::try_from(src.len()).map_err(|_| OffsetOverflowError)?;
1970 if unnormalized_source_len > Self::MAX_FILE_SIZE {
1971 return Err(OffsetOverflowError);
1972 }
1973
1974 let normalized_pos = normalize_src(&mut src);
1975
1976 let stable_id = StableSourceFileId::from_filename_in_current_crate(&name);
1977 let normalized_source_len = u32::try_from(src.len()).map_err(|_| OffsetOverflowError)?;
1978 if normalized_source_len > Self::MAX_FILE_SIZE {
1979 return Err(OffsetOverflowError);
1980 }
1981
1982 let (lines, multibyte_chars) = analyze_source_file::analyze_source_file(&src);
1983
1984 Ok(SourceFile {
1985 name,
1986 src: Some(Arc::new(src)),
1987 src_hash,
1988 checksum_hash,
1989 external_src: FreezeLock::frozen(ExternalSource::Unneeded),
1990 start_pos: BytePos::from_u32(0),
1991 normalized_source_len: RelativeBytePos::from_u32(normalized_source_len),
1992 unnormalized_source_len,
1993 lines: FreezeLock::frozen(SourceFileLines::Lines(lines)),
1994 multibyte_chars,
1995 normalized_pos,
1996 stable_id,
1997 cnum: LOCAL_CRATE,
1998 })
1999 }
2000
2001 fn convert_diffs_to_lines_frozen(&self) {
2004 let mut guard = if let Some(guard) = self.lines.try_write() { guard } else { return };
2005
2006 let SourceFileDiffs { bytes_per_diff, num_diffs, raw_diffs } = match &*guard {
2007 SourceFileLines::Diffs(diffs) => diffs,
2008 SourceFileLines::Lines(..) => {
2009 FreezeWriteGuard::freeze(guard);
2010 return;
2011 }
2012 };
2013
2014 let num_lines = num_diffs + 1;
2016 let mut lines = Vec::with_capacity(num_lines);
2017 let mut line_start = RelativeBytePos(0);
2018 lines.push(line_start);
2019
2020 assert_eq!(*num_diffs, raw_diffs.len() / bytes_per_diff);
2021 match bytes_per_diff {
2022 1 => {
2023 lines.extend(raw_diffs.into_iter().map(|&diff| {
2024 line_start = line_start + RelativeBytePos(diff as u32);
2025 line_start
2026 }));
2027 }
2028 2 => {
2029 lines.extend((0..*num_diffs).map(|i| {
2030 let pos = bytes_per_diff * i;
2031 let bytes = [raw_diffs[pos], raw_diffs[pos + 1]];
2032 let diff = u16::from_le_bytes(bytes);
2033 line_start = line_start + RelativeBytePos(diff as u32);
2034 line_start
2035 }));
2036 }
2037 4 => {
2038 lines.extend((0..*num_diffs).map(|i| {
2039 let pos = bytes_per_diff * i;
2040 let bytes = [
2041 raw_diffs[pos],
2042 raw_diffs[pos + 1],
2043 raw_diffs[pos + 2],
2044 raw_diffs[pos + 3],
2045 ];
2046 let diff = u32::from_le_bytes(bytes);
2047 line_start = line_start + RelativeBytePos(diff);
2048 line_start
2049 }));
2050 }
2051 _ => unreachable!(),
2052 }
2053
2054 *guard = SourceFileLines::Lines(lines);
2055
2056 FreezeWriteGuard::freeze(guard);
2057 }
2058
2059 pub fn lines(&self) -> &[RelativeBytePos] {
2060 if let Some(SourceFileLines::Lines(lines)) = self.lines.get() {
2061 return &lines[..];
2062 }
2063
2064 outline(|| {
2065 self.convert_diffs_to_lines_frozen();
2066 if let Some(SourceFileLines::Lines(lines)) = self.lines.get() {
2067 return &lines[..];
2068 }
2069 unreachable!()
2070 })
2071 }
2072
2073 pub fn line_begin_pos(&self, pos: BytePos) -> BytePos {
2075 let pos = self.relative_position(pos);
2076 let line_index = self.lookup_line(pos).unwrap();
2077 let line_start_pos = self.lines()[line_index];
2078 self.absolute_position(line_start_pos)
2079 }
2080
2081 pub fn add_external_src<F>(&self, get_src: F) -> bool
2086 where
2087 F: FnOnce() -> Option<String>,
2088 {
2089 if !self.external_src.is_frozen() {
2090 let src = get_src();
2091 let src = src.and_then(|mut src| {
2092 self.src_hash.matches(&src).then(|| {
2094 normalize_src(&mut src);
2095 src
2096 })
2097 });
2098
2099 self.external_src.try_write().map(|mut external_src| {
2100 if let ExternalSource::Foreign {
2101 kind: src_kind @ ExternalSourceKind::AbsentOk,
2102 ..
2103 } = &mut *external_src
2104 {
2105 *src_kind = if let Some(src) = src {
2106 ExternalSourceKind::Present(Arc::new(src))
2107 } else {
2108 ExternalSourceKind::AbsentErr
2109 };
2110 } else {
2111 panic!("unexpected state {:?}", *external_src)
2112 }
2113
2114 FreezeWriteGuard::freeze(external_src)
2116 });
2117 }
2118
2119 self.src.is_some() || self.external_src.read().get_source().is_some()
2120 }
2121
2122 pub fn get_line(&self, line_number: usize) -> Option<Cow<'_, str>> {
2125 fn get_until_newline(src: &str, begin: usize) -> &str {
2126 let slice = &src[begin..];
2130 match slice.find('\n') {
2131 Some(e) => &slice[..e],
2132 None => slice,
2133 }
2134 }
2135
2136 let begin = {
2137 let line = self.lines().get(line_number).copied()?;
2138 line.to_usize()
2139 };
2140
2141 if let Some(ref src) = self.src {
2142 Some(Cow::from(get_until_newline(src, begin)))
2143 } else {
2144 self.external_src
2145 .borrow()
2146 .get_source()
2147 .map(|src| Cow::Owned(String::from(get_until_newline(src, begin))))
2148 }
2149 }
2150
2151 pub fn is_real_file(&self) -> bool {
2152 self.name.is_real()
2153 }
2154
2155 #[inline]
2156 pub fn is_imported(&self) -> bool {
2157 self.src.is_none()
2158 }
2159
2160 pub fn count_lines(&self) -> usize {
2161 self.lines().len()
2162 }
2163
2164 #[inline]
2165 pub fn absolute_position(&self, pos: RelativeBytePos) -> BytePos {
2166 BytePos::from_u32(pos.to_u32() + self.start_pos.to_u32())
2167 }
2168
2169 #[inline]
2170 pub fn relative_position(&self, pos: BytePos) -> RelativeBytePos {
2171 RelativeBytePos::from_u32(pos.to_u32() - self.start_pos.to_u32())
2172 }
2173
2174 #[inline]
2175 pub fn end_position(&self) -> BytePos {
2176 self.absolute_position(self.normalized_source_len)
2177 }
2178
2179 pub fn lookup_line(&self, pos: RelativeBytePos) -> Option<usize> {
2184 self.lines().partition_point(|x| x <= &pos).checked_sub(1)
2185 }
2186
2187 pub fn line_bounds(&self, line_index: usize) -> Range<BytePos> {
2188 if self.is_empty() {
2189 return self.start_pos..self.start_pos;
2190 }
2191
2192 let lines = self.lines();
2193 assert!(line_index < lines.len());
2194 if line_index == (lines.len() - 1) {
2195 self.absolute_position(lines[line_index])..self.end_position()
2196 } else {
2197 self.absolute_position(lines[line_index])..self.absolute_position(lines[line_index + 1])
2198 }
2199 }
2200
2201 #[inline]
2206 pub fn contains(&self, byte_pos: BytePos) -> bool {
2207 byte_pos >= self.start_pos && byte_pos <= self.end_position()
2208 }
2209
2210 #[inline]
2211 pub fn is_empty(&self) -> bool {
2212 self.normalized_source_len.to_u32() == 0
2213 }
2214
2215 pub fn original_relative_byte_pos(&self, pos: BytePos) -> RelativeBytePos {
2218 let pos = self.relative_position(pos);
2219
2220 let diff = match self.normalized_pos.binary_search_by(|np| np.pos.cmp(&pos)) {
2224 Ok(i) => self.normalized_pos[i].diff,
2225 Err(0) => 0,
2226 Err(i) => self.normalized_pos[i - 1].diff,
2227 };
2228
2229 RelativeBytePos::from_u32(pos.0 + diff)
2230 }
2231
2232 pub fn normalized_byte_pos(&self, offset: u32) -> BytePos {
2242 let diff = match self
2243 .normalized_pos
2244 .binary_search_by(|np| (np.pos.0 + np.diff).cmp(&(self.start_pos.0 + offset)))
2245 {
2246 Ok(i) => self.normalized_pos[i].diff,
2247 Err(0) => 0,
2248 Err(i) => self.normalized_pos[i - 1].diff,
2249 };
2250
2251 BytePos::from_u32(self.start_pos.0 + offset - diff)
2252 }
2253
2254 fn bytepos_to_file_charpos(&self, bpos: RelativeBytePos) -> CharPos {
2256 let mut total_extra_bytes = 0;
2258
2259 for mbc in self.multibyte_chars.iter() {
2260 debug!("{}-byte char at {:?}", mbc.bytes, mbc.pos);
2261 if mbc.pos < bpos {
2262 total_extra_bytes += mbc.bytes as u32 - 1;
2265 assert!(bpos.to_u32() >= mbc.pos.to_u32() + mbc.bytes as u32);
2268 } else {
2269 break;
2270 }
2271 }
2272
2273 assert!(total_extra_bytes <= bpos.to_u32());
2274 CharPos(bpos.to_usize() - total_extra_bytes as usize)
2275 }
2276
2277 fn lookup_file_pos(&self, pos: RelativeBytePos) -> (usize, CharPos) {
2280 let chpos = self.bytepos_to_file_charpos(pos);
2281 match self.lookup_line(pos) {
2282 Some(a) => {
2283 let line = a + 1; let linebpos = self.lines()[a];
2285 let linechpos = self.bytepos_to_file_charpos(linebpos);
2286 let col = chpos - linechpos;
2287 debug!("byte pos {:?} is on the line at byte pos {:?}", pos, linebpos);
2288 debug!("char pos {:?} is on the line at char pos {:?}", chpos, linechpos);
2289 debug!("byte is on line: {}", line);
2290 assert!(chpos >= linechpos);
2291 (line, col)
2292 }
2293 None => (0, chpos),
2294 }
2295 }
2296
2297 pub fn lookup_file_pos_with_col_display(&self, pos: BytePos) -> (usize, CharPos, usize) {
2300 let pos = self.relative_position(pos);
2301 let (line, col_or_chpos) = self.lookup_file_pos(pos);
2302 if line > 0 {
2303 let Some(code) = self.get_line(line - 1) else {
2304 tracing::info!("couldn't find line {line} {:?}", self.name);
2312 return (line, col_or_chpos, col_or_chpos.0);
2313 };
2314 let display_col = code.chars().take(col_or_chpos.0).map(|ch| char_width(ch)).sum();
2315 (line, col_or_chpos, display_col)
2316 } else {
2317 (0, col_or_chpos, col_or_chpos.0)
2319 }
2320 }
2321}
2322
2323pub fn char_width(ch: char) -> usize {
2324 match ch {
2327 '\t' => 4,
2328 '\u{0000}' | '\u{0001}' | '\u{0002}' | '\u{0003}' | '\u{0004}' | '\u{0005}'
2332 | '\u{0006}' | '\u{0007}' | '\u{0008}' | '\u{000B}' | '\u{000C}' | '\u{000D}'
2333 | '\u{000E}' | '\u{000F}' | '\u{0010}' | '\u{0011}' | '\u{0012}' | '\u{0013}'
2334 | '\u{0014}' | '\u{0015}' | '\u{0016}' | '\u{0017}' | '\u{0018}' | '\u{0019}'
2335 | '\u{001A}' | '\u{001B}' | '\u{001C}' | '\u{001D}' | '\u{001E}' | '\u{001F}'
2336 | '\u{007F}' | '\u{202A}' | '\u{202B}' | '\u{202D}' | '\u{202E}' | '\u{2066}'
2337 | '\u{2067}' | '\u{2068}' | '\u{202C}' | '\u{2069}' => 1,
2338 _ => unicode_width::UnicodeWidthChar::width(ch).unwrap_or(1),
2339 }
2340}
2341
2342pub fn str_width(s: &str) -> usize {
2343 s.chars().map(char_width).sum()
2344}
2345
2346fn normalize_src(src: &mut String) -> Vec<NormalizedPos> {
2348 let mut normalized_pos = vec![];
2349 remove_bom(src, &mut normalized_pos);
2350 normalize_newlines(src, &mut normalized_pos);
2351 normalized_pos
2352}
2353
2354fn remove_bom(src: &mut String, normalized_pos: &mut Vec<NormalizedPos>) {
2356 if src.starts_with('\u{feff}') {
2357 src.drain(..3);
2358 normalized_pos.push(NormalizedPos { pos: RelativeBytePos(0), diff: 3 });
2359 }
2360}
2361
2362fn normalize_newlines(src: &mut String, normalized_pos: &mut Vec<NormalizedPos>) {
2366 if !src.as_bytes().contains(&b'\r') {
2367 return;
2368 }
2369
2370 let mut buf = std::mem::replace(src, String::new()).into_bytes();
2376 let mut gap_len = 0;
2377 let mut tail = buf.as_mut_slice();
2378 let mut cursor = 0;
2379 let original_gap = normalized_pos.last().map_or(0, |l| l.diff);
2380 loop {
2381 let idx = match find_crlf(&tail[gap_len..]) {
2382 None => tail.len(),
2383 Some(idx) => idx + gap_len,
2384 };
2385 tail.copy_within(gap_len..idx, 0);
2386 tail = &mut tail[idx - gap_len..];
2387 if tail.len() == gap_len {
2388 break;
2389 }
2390 cursor += idx - gap_len;
2391 gap_len += 1;
2392 normalized_pos.push(NormalizedPos {
2393 pos: RelativeBytePos::from_usize(cursor + 1),
2394 diff: original_gap + gap_len as u32,
2395 });
2396 }
2397
2398 let new_len = buf.len() - gap_len;
2401 unsafe {
2402 buf.set_len(new_len);
2403 *src = String::from_utf8_unchecked(buf);
2404 }
2405
2406 fn find_crlf(src: &[u8]) -> Option<usize> {
2407 let mut search_idx = 0;
2408 while let Some(idx) = find_cr(&src[search_idx..]) {
2409 if src[search_idx..].get(idx + 1) != Some(&b'\n') {
2410 search_idx += idx + 1;
2411 continue;
2412 }
2413 return Some(search_idx + idx);
2414 }
2415 None
2416 }
2417
2418 fn find_cr(src: &[u8]) -> Option<usize> {
2419 src.iter().position(|&b| b == b'\r')
2420 }
2421}
2422
2423pub trait Pos {
2428 fn from_usize(n: usize) -> Self;
2429 fn to_usize(&self) -> usize;
2430 fn from_u32(n: u32) -> Self;
2431 fn to_u32(&self) -> u32;
2432}
2433
2434macro_rules! impl_pos {
2435 (
2436 $(
2437 $(#[$attr:meta])*
2438 $vis:vis struct $ident:ident($inner_vis:vis $inner_ty:ty);
2439 )*
2440 ) => {
2441 $(
2442 $(#[$attr])*
2443 $vis struct $ident($inner_vis $inner_ty);
2444
2445 impl Pos for $ident {
2446 #[inline(always)]
2447 fn from_usize(n: usize) -> $ident {
2448 $ident(n as $inner_ty)
2449 }
2450
2451 #[inline(always)]
2452 fn to_usize(&self) -> usize {
2453 self.0 as usize
2454 }
2455
2456 #[inline(always)]
2457 fn from_u32(n: u32) -> $ident {
2458 $ident(n as $inner_ty)
2459 }
2460
2461 #[inline(always)]
2462 fn to_u32(&self) -> u32 {
2463 self.0 as u32
2464 }
2465 }
2466
2467 impl Add for $ident {
2468 type Output = $ident;
2469
2470 #[inline(always)]
2471 fn add(self, rhs: $ident) -> $ident {
2472 $ident(self.0 + rhs.0)
2473 }
2474 }
2475
2476 impl Sub for $ident {
2477 type Output = $ident;
2478
2479 #[inline(always)]
2480 fn sub(self, rhs: $ident) -> $ident {
2481 $ident(self.0 - rhs.0)
2482 }
2483 }
2484 )*
2485 };
2486}
2487
2488impl_pos! {
2489 #[derive(Clone, Copy, PartialEq, Eq, Hash, PartialOrd, Ord, Debug)]
2493 pub struct BytePos(pub u32);
2494
2495 #[derive(Clone, Copy, PartialEq, Eq, Hash, PartialOrd, Ord, Debug)]
2497 pub struct RelativeBytePos(pub u32);
2498
2499 #[derive(Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Debug)]
2505 pub struct CharPos(pub usize);
2506}
2507
2508impl<S: Encoder> Encodable<S> for BytePos {
2509 fn encode(&self, s: &mut S) {
2510 s.emit_u32(self.0);
2511 }
2512}
2513
2514impl<D: Decoder> Decodable<D> for BytePos {
2515 fn decode(d: &mut D) -> BytePos {
2516 BytePos(d.read_u32())
2517 }
2518}
2519
2520impl<H: HashStableContext> HashStable<H> for RelativeBytePos {
2521 fn hash_stable(&self, hcx: &mut H, hasher: &mut StableHasher) {
2522 self.0.hash_stable(hcx, hasher);
2523 }
2524}
2525
2526impl<S: Encoder> Encodable<S> for RelativeBytePos {
2527 fn encode(&self, s: &mut S) {
2528 s.emit_u32(self.0);
2529 }
2530}
2531
2532impl<D: Decoder> Decodable<D> for RelativeBytePos {
2533 fn decode(d: &mut D) -> RelativeBytePos {
2534 RelativeBytePos(d.read_u32())
2535 }
2536}
2537
2538#[derive(Debug, Clone)]
2544pub struct Loc {
2545 pub file: Arc<SourceFile>,
2547 pub line: usize,
2549 pub col: CharPos,
2551 pub col_display: usize,
2553}
2554
2555#[derive(Debug)]
2557pub struct SourceFileAndLine {
2558 pub sf: Arc<SourceFile>,
2559 pub line: usize,
2561}
2562#[derive(Debug)]
2563pub struct SourceFileAndBytePos {
2564 pub sf: Arc<SourceFile>,
2565 pub pos: BytePos,
2566}
2567
2568#[derive(Copy, Clone, Debug, PartialEq, Eq)]
2569pub struct LineInfo {
2570 pub line_index: usize,
2572
2573 pub start_col: CharPos,
2575
2576 pub end_col: CharPos,
2578}
2579
2580pub struct FileLines {
2581 pub file: Arc<SourceFile>,
2582 pub lines: Vec<LineInfo>,
2583}
2584
2585pub static SPAN_TRACK: AtomicRef<fn(LocalDefId)> = AtomicRef::new(&((|_| {}) as fn(_)));
2586
2587pub type FileLinesResult = Result<FileLines, SpanLinesError>;
2592
2593#[derive(Clone, PartialEq, Eq, Debug)]
2594pub enum SpanLinesError {
2595 DistinctSources(Box<DistinctSources>),
2596}
2597
2598#[derive(Clone, PartialEq, Eq, Debug)]
2599pub enum SpanSnippetError {
2600 IllFormedSpan(Span),
2601 DistinctSources(Box<DistinctSources>),
2602 MalformedForSourcemap(MalformedSourceMapPositions),
2603 SourceNotAvailable { filename: FileName },
2604}
2605
2606#[derive(Clone, PartialEq, Eq, Debug)]
2607pub struct DistinctSources {
2608 pub begin: (FileName, BytePos),
2609 pub end: (FileName, BytePos),
2610}
2611
2612#[derive(Clone, PartialEq, Eq, Debug)]
2613pub struct MalformedSourceMapPositions {
2614 pub name: FileName,
2615 pub source_len: usize,
2616 pub begin_pos: BytePos,
2617 pub end_pos: BytePos,
2618}
2619
2620#[derive(Copy, Clone, PartialEq, Eq, Debug)]
2622pub struct InnerSpan {
2623 pub start: usize,
2624 pub end: usize,
2625}
2626
2627impl InnerSpan {
2628 pub fn new(start: usize, end: usize) -> InnerSpan {
2629 InnerSpan { start, end }
2630 }
2631}
2632
2633pub trait HashStableContext {
2638 fn def_path_hash(&self, def_id: DefId) -> DefPathHash;
2639 fn hash_spans(&self) -> bool;
2640 fn unstable_opts_incremental_ignore_spans(&self) -> bool;
2643 fn def_span(&self, def_id: LocalDefId) -> Span;
2644 fn span_data_to_lines_and_cols(
2645 &mut self,
2646 span: &SpanData,
2647 ) -> Option<(StableSourceFileId, usize, BytePos, usize, BytePos)>;
2648 fn hashing_controls(&self) -> HashingControls;
2649}
2650
2651impl<CTX> HashStable<CTX> for Span
2652where
2653 CTX: HashStableContext,
2654{
2655 fn hash_stable(&self, ctx: &mut CTX, hasher: &mut StableHasher) {
2666 const TAG_VALID_SPAN: u8 = 0;
2667 const TAG_INVALID_SPAN: u8 = 1;
2668 const TAG_RELATIVE_SPAN: u8 = 2;
2669
2670 if !ctx.hash_spans() {
2671 return;
2672 }
2673
2674 let span = self.data_untracked();
2675 span.ctxt.hash_stable(ctx, hasher);
2676 span.parent.hash_stable(ctx, hasher);
2677
2678 if span.is_dummy() {
2679 Hash::hash(&TAG_INVALID_SPAN, hasher);
2680 return;
2681 }
2682
2683 if let Some(parent) = span.parent {
2684 let def_span = ctx.def_span(parent).data_untracked();
2685 if def_span.contains(span) {
2686 Hash::hash(&TAG_RELATIVE_SPAN, hasher);
2688 (span.lo - def_span.lo).to_u32().hash_stable(ctx, hasher);
2689 (span.hi - def_span.lo).to_u32().hash_stable(ctx, hasher);
2690 return;
2691 }
2692 }
2693
2694 let Some((file, line_lo, col_lo, line_hi, col_hi)) = ctx.span_data_to_lines_and_cols(&span)
2698 else {
2699 Hash::hash(&TAG_INVALID_SPAN, hasher);
2700 return;
2701 };
2702
2703 Hash::hash(&TAG_VALID_SPAN, hasher);
2704 Hash::hash(&file, hasher);
2705
2706 let col_lo_trunc = (col_lo.0 as u64) & 0xFF;
2716 let line_lo_trunc = ((line_lo as u64) & 0xFF_FF_FF) << 8;
2717 let col_hi_trunc = (col_hi.0 as u64) & 0xFF << 32;
2718 let line_hi_trunc = ((line_hi as u64) & 0xFF_FF_FF) << 40;
2719 let col_line = col_lo_trunc | line_lo_trunc | col_hi_trunc | line_hi_trunc;
2720 let len = (span.hi - span.lo).0;
2721 Hash::hash(&col_line, hasher);
2722 Hash::hash(&len, hasher);
2723 }
2724}
2725
2726#[derive(Clone, Copy, Debug, Hash, PartialEq, Eq, PartialOrd, Ord)]
2732#[derive(HashStable_Generic)]
2733pub struct ErrorGuaranteed(());
2734
2735impl ErrorGuaranteed {
2736 #[deprecated = "should only be used in `DiagCtxtInner::emit_diagnostic`"]
2738 pub fn unchecked_error_guaranteed() -> Self {
2739 ErrorGuaranteed(())
2740 }
2741
2742 pub fn raise_fatal(self) -> ! {
2743 FatalError.raise()
2744 }
2745}
2746
2747impl<E: rustc_serialize::Encoder> Encodable<E> for ErrorGuaranteed {
2748 #[inline]
2749 fn encode(&self, _e: &mut E) {
2750 panic!(
2751 "should never serialize an `ErrorGuaranteed`, as we do not write metadata or \
2752 incremental caches in case errors occurred"
2753 )
2754 }
2755}
2756impl<D: rustc_serialize::Decoder> Decodable<D> for ErrorGuaranteed {
2757 #[inline]
2758 fn decode(_d: &mut D) -> ErrorGuaranteed {
2759 panic!(
2760 "`ErrorGuaranteed` should never have been serialized to metadata or incremental caches"
2761 )
2762 }
2763}