]> git.lizzy.rs Git - rust.git/blob - src/librustc_expand/proc_macro_server.rs
Auto merge of #67707 - petrochenkov:crateren, r=Centril
[rust.git] / src / librustc_expand / proc_macro_server.rs
1 use crate::base::ExtCtxt;
2
3 use rustc_parse::{nt_to_tokenstream, parse_stream_from_source_str};
4 use syntax::ast;
5 use syntax::print::pprust;
6 use syntax::sess::ParseSess;
7 use syntax::token;
8 use syntax::tokenstream::{self, DelimSpan, IsJoint::*, TokenStream, TreeAndJoint};
9 use syntax::util::comments;
10 use syntax_pos::symbol::{kw, sym, Symbol};
11 use syntax_pos::{BytePos, FileName, MultiSpan, Pos, SourceFile, Span};
12
13 use errors::Diagnostic;
14 use rustc_data_structures::sync::Lrc;
15
16 use pm::bridge::{server, TokenTree};
17 use pm::{Delimiter, Level, LineColumn, Spacing};
18 use std::ops::Bound;
19 use std::{ascii, panic};
20
21 trait FromInternal<T> {
22     fn from_internal(x: T) -> Self;
23 }
24
25 trait ToInternal<T> {
26     fn to_internal(self) -> T;
27 }
28
29 impl FromInternal<token::DelimToken> for Delimiter {
30     fn from_internal(delim: token::DelimToken) -> Delimiter {
31         match delim {
32             token::Paren => Delimiter::Parenthesis,
33             token::Brace => Delimiter::Brace,
34             token::Bracket => Delimiter::Bracket,
35             token::NoDelim => Delimiter::None,
36         }
37     }
38 }
39
40 impl ToInternal<token::DelimToken> for Delimiter {
41     fn to_internal(self) -> token::DelimToken {
42         match self {
43             Delimiter::Parenthesis => token::Paren,
44             Delimiter::Brace => token::Brace,
45             Delimiter::Bracket => token::Bracket,
46             Delimiter::None => token::NoDelim,
47         }
48     }
49 }
50
51 impl FromInternal<(TreeAndJoint, &'_ ParseSess, &'_ mut Vec<Self>)>
52     for TokenTree<Group, Punct, Ident, Literal>
53 {
54     fn from_internal(
55         ((tree, is_joint), sess, stack): (TreeAndJoint, &ParseSess, &mut Vec<Self>),
56     ) -> Self {
57         use syntax::token::*;
58
59         let joint = is_joint == Joint;
60         let Token { kind, span } = match tree {
61             tokenstream::TokenTree::Delimited(span, delim, tts) => {
62                 let delimiter = Delimiter::from_internal(delim);
63                 return TokenTree::Group(Group { delimiter, stream: tts.into(), span });
64             }
65             tokenstream::TokenTree::Token(token) => token,
66         };
67
68         macro_rules! tt {
69             ($ty:ident { $($field:ident $(: $value:expr)*),+ $(,)? }) => (
70                 TokenTree::$ty(self::$ty {
71                     $($field $(: $value)*,)+
72                     span,
73                 })
74             );
75             ($ty:ident::$method:ident($($value:expr),*)) => (
76                 TokenTree::$ty(self::$ty::$method($($value,)* span))
77             );
78         }
79         macro_rules! op {
80             ($a:expr) => {
81                 tt!(Punct::new($a, joint))
82             };
83             ($a:expr, $b:expr) => {{
84                 stack.push(tt!(Punct::new($b, joint)));
85                 tt!(Punct::new($a, true))
86             }};
87             ($a:expr, $b:expr, $c:expr) => {{
88                 stack.push(tt!(Punct::new($c, joint)));
89                 stack.push(tt!(Punct::new($b, true)));
90                 tt!(Punct::new($a, true))
91             }};
92         }
93
94         match kind {
95             Eq => op!('='),
96             Lt => op!('<'),
97             Le => op!('<', '='),
98             EqEq => op!('=', '='),
99             Ne => op!('!', '='),
100             Ge => op!('>', '='),
101             Gt => op!('>'),
102             AndAnd => op!('&', '&'),
103             OrOr => op!('|', '|'),
104             Not => op!('!'),
105             Tilde => op!('~'),
106             BinOp(Plus) => op!('+'),
107             BinOp(Minus) => op!('-'),
108             BinOp(Star) => op!('*'),
109             BinOp(Slash) => op!('/'),
110             BinOp(Percent) => op!('%'),
111             BinOp(Caret) => op!('^'),
112             BinOp(And) => op!('&'),
113             BinOp(Or) => op!('|'),
114             BinOp(Shl) => op!('<', '<'),
115             BinOp(Shr) => op!('>', '>'),
116             BinOpEq(Plus) => op!('+', '='),
117             BinOpEq(Minus) => op!('-', '='),
118             BinOpEq(Star) => op!('*', '='),
119             BinOpEq(Slash) => op!('/', '='),
120             BinOpEq(Percent) => op!('%', '='),
121             BinOpEq(Caret) => op!('^', '='),
122             BinOpEq(And) => op!('&', '='),
123             BinOpEq(Or) => op!('|', '='),
124             BinOpEq(Shl) => op!('<', '<', '='),
125             BinOpEq(Shr) => op!('>', '>', '='),
126             At => op!('@'),
127             Dot => op!('.'),
128             DotDot => op!('.', '.'),
129             DotDotDot => op!('.', '.', '.'),
130             DotDotEq => op!('.', '.', '='),
131             Comma => op!(','),
132             Semi => op!(';'),
133             Colon => op!(':'),
134             ModSep => op!(':', ':'),
135             RArrow => op!('-', '>'),
136             LArrow => op!('<', '-'),
137             FatArrow => op!('=', '>'),
138             Pound => op!('#'),
139             Dollar => op!('$'),
140             Question => op!('?'),
141             SingleQuote => op!('\''),
142
143             Ident(name, false) if name == kw::DollarCrate => tt!(Ident::dollar_crate()),
144             Ident(name, is_raw) => tt!(Ident::new(name, is_raw)),
145             Lifetime(name) => {
146                 let ident = ast::Ident::new(name, span).without_first_quote();
147                 stack.push(tt!(Ident::new(ident.name, false)));
148                 tt!(Punct::new('\'', true))
149             }
150             Literal(lit) => tt!(Literal { lit }),
151             DocComment(c) => {
152                 let style = comments::doc_comment_style(&c.as_str());
153                 let stripped = comments::strip_doc_comment_decoration(&c.as_str());
154                 let mut escaped = String::new();
155                 for ch in stripped.chars() {
156                     escaped.extend(ch.escape_debug());
157                 }
158                 let stream = vec![
159                     Ident(sym::doc, false),
160                     Eq,
161                     TokenKind::lit(token::Str, Symbol::intern(&escaped), None),
162                 ]
163                 .into_iter()
164                 .map(|kind| tokenstream::TokenTree::token(kind, span))
165                 .collect();
166                 stack.push(TokenTree::Group(Group {
167                     delimiter: Delimiter::Bracket,
168                     stream,
169                     span: DelimSpan::from_single(span),
170                 }));
171                 if style == ast::AttrStyle::Inner {
172                     stack.push(tt!(Punct::new('!', false)));
173                 }
174                 tt!(Punct::new('#', false))
175             }
176
177             Interpolated(nt) => {
178                 let stream = nt_to_tokenstream(&nt, sess, span);
179                 TokenTree::Group(Group {
180                     delimiter: Delimiter::None,
181                     stream,
182                     span: DelimSpan::from_single(span),
183                 })
184             }
185
186             OpenDelim(..) | CloseDelim(..) => unreachable!(),
187             Whitespace | Comment | Shebang(..) | Unknown(..) | Eof => unreachable!(),
188         }
189     }
190 }
191
192 impl ToInternal<TokenStream> for TokenTree<Group, Punct, Ident, Literal> {
193     fn to_internal(self) -> TokenStream {
194         use syntax::token::*;
195
196         let (ch, joint, span) = match self {
197             TokenTree::Punct(Punct { ch, joint, span }) => (ch, joint, span),
198             TokenTree::Group(Group { delimiter, stream, span }) => {
199                 return tokenstream::TokenTree::Delimited(
200                     span,
201                     delimiter.to_internal(),
202                     stream.into(),
203                 )
204                 .into();
205             }
206             TokenTree::Ident(self::Ident { sym, is_raw, span }) => {
207                 return tokenstream::TokenTree::token(Ident(sym, is_raw), span).into();
208             }
209             TokenTree::Literal(self::Literal {
210                 lit: token::Lit { kind: token::Integer, symbol, suffix },
211                 span,
212             }) if symbol.as_str().starts_with("-") => {
213                 let minus = BinOp(BinOpToken::Minus);
214                 let symbol = Symbol::intern(&symbol.as_str()[1..]);
215                 let integer = TokenKind::lit(token::Integer, symbol, suffix);
216                 let a = tokenstream::TokenTree::token(minus, span);
217                 let b = tokenstream::TokenTree::token(integer, span);
218                 return vec![a, b].into_iter().collect();
219             }
220             TokenTree::Literal(self::Literal {
221                 lit: token::Lit { kind: token::Float, symbol, suffix },
222                 span,
223             }) if symbol.as_str().starts_with("-") => {
224                 let minus = BinOp(BinOpToken::Minus);
225                 let symbol = Symbol::intern(&symbol.as_str()[1..]);
226                 let float = TokenKind::lit(token::Float, symbol, suffix);
227                 let a = tokenstream::TokenTree::token(minus, span);
228                 let b = tokenstream::TokenTree::token(float, span);
229                 return vec![a, b].into_iter().collect();
230             }
231             TokenTree::Literal(self::Literal { lit, span }) => {
232                 return tokenstream::TokenTree::token(Literal(lit), span).into();
233             }
234         };
235
236         let kind = match ch {
237             '=' => Eq,
238             '<' => Lt,
239             '>' => Gt,
240             '!' => Not,
241             '~' => Tilde,
242             '+' => BinOp(Plus),
243             '-' => BinOp(Minus),
244             '*' => BinOp(Star),
245             '/' => BinOp(Slash),
246             '%' => BinOp(Percent),
247             '^' => BinOp(Caret),
248             '&' => BinOp(And),
249             '|' => BinOp(Or),
250             '@' => At,
251             '.' => Dot,
252             ',' => Comma,
253             ';' => Semi,
254             ':' => Colon,
255             '#' => Pound,
256             '$' => Dollar,
257             '?' => Question,
258             '\'' => SingleQuote,
259             _ => unreachable!(),
260         };
261
262         let tree = tokenstream::TokenTree::token(kind, span);
263         TokenStream::new(vec![(tree, if joint { Joint } else { NonJoint })])
264     }
265 }
266
267 impl ToInternal<errors::Level> for Level {
268     fn to_internal(self) -> errors::Level {
269         match self {
270             Level::Error => errors::Level::Error,
271             Level::Warning => errors::Level::Warning,
272             Level::Note => errors::Level::Note,
273             Level::Help => errors::Level::Help,
274             _ => unreachable!("unknown proc_macro::Level variant: {:?}", self),
275         }
276     }
277 }
278
279 #[derive(Clone)]
280 pub struct TokenStreamIter {
281     cursor: tokenstream::Cursor,
282     stack: Vec<TokenTree<Group, Punct, Ident, Literal>>,
283 }
284
285 #[derive(Clone)]
286 pub struct Group {
287     delimiter: Delimiter,
288     stream: TokenStream,
289     span: DelimSpan,
290 }
291
292 #[derive(Copy, Clone, PartialEq, Eq, Hash)]
293 pub struct Punct {
294     ch: char,
295     // NB. not using `Spacing` here because it doesn't implement `Hash`.
296     joint: bool,
297     span: Span,
298 }
299
300 impl Punct {
301     fn new(ch: char, joint: bool, span: Span) -> Punct {
302         const LEGAL_CHARS: &[char] = &[
303             '=', '<', '>', '!', '~', '+', '-', '*', '/', '%', '^', '&', '|', '@', '.', ',', ';',
304             ':', '#', '$', '?', '\'',
305         ];
306         if !LEGAL_CHARS.contains(&ch) {
307             panic!("unsupported character `{:?}`", ch)
308         }
309         Punct { ch, joint, span }
310     }
311 }
312
313 #[derive(Copy, Clone, PartialEq, Eq, Hash)]
314 pub struct Ident {
315     sym: Symbol,
316     is_raw: bool,
317     span: Span,
318 }
319
320 impl Ident {
321     fn is_valid(string: &str) -> bool {
322         let mut chars = string.chars();
323         if let Some(start) = chars.next() {
324             rustc_lexer::is_id_start(start) && chars.all(rustc_lexer::is_id_continue)
325         } else {
326             false
327         }
328     }
329     fn new(sym: Symbol, is_raw: bool, span: Span) -> Ident {
330         let string = sym.as_str();
331         if !Self::is_valid(&string) {
332             panic!("`{:?}` is not a valid identifier", string)
333         }
334         if is_raw && !sym.can_be_raw() {
335             panic!("`{}` cannot be a raw identifier", string);
336         }
337         Ident { sym, is_raw, span }
338     }
339     fn dollar_crate(span: Span) -> Ident {
340         // `$crate` is accepted as an ident only if it comes from the compiler.
341         Ident { sym: kw::DollarCrate, is_raw: false, span }
342     }
343 }
344
345 // FIXME(eddyb) `Literal` should not expose internal `Debug` impls.
346 #[derive(Clone, Debug)]
347 pub struct Literal {
348     lit: token::Lit,
349     span: Span,
350 }
351
352 pub(crate) struct Rustc<'a> {
353     sess: &'a ParseSess,
354     def_site: Span,
355     call_site: Span,
356     mixed_site: Span,
357 }
358
359 impl<'a> Rustc<'a> {
360     pub fn new(cx: &'a ExtCtxt<'_>) -> Self {
361         let expn_data = cx.current_expansion.id.expn_data();
362         Rustc {
363             sess: cx.parse_sess,
364             def_site: cx.with_def_site_ctxt(expn_data.def_site),
365             call_site: cx.with_call_site_ctxt(expn_data.call_site),
366             mixed_site: cx.with_mixed_site_ctxt(expn_data.call_site),
367         }
368     }
369
370     fn lit(&mut self, kind: token::LitKind, symbol: Symbol, suffix: Option<Symbol>) -> Literal {
371         Literal { lit: token::Lit::new(kind, symbol, suffix), span: server::Span::call_site(self) }
372     }
373 }
374
375 impl server::Types for Rustc<'_> {
376     type TokenStream = TokenStream;
377     type TokenStreamBuilder = tokenstream::TokenStreamBuilder;
378     type TokenStreamIter = TokenStreamIter;
379     type Group = Group;
380     type Punct = Punct;
381     type Ident = Ident;
382     type Literal = Literal;
383     type SourceFile = Lrc<SourceFile>;
384     type MultiSpan = Vec<Span>;
385     type Diagnostic = Diagnostic;
386     type Span = Span;
387 }
388
389 impl server::TokenStream for Rustc<'_> {
390     fn new(&mut self) -> Self::TokenStream {
391         TokenStream::default()
392     }
393     fn is_empty(&mut self, stream: &Self::TokenStream) -> bool {
394         stream.is_empty()
395     }
396     fn from_str(&mut self, src: &str) -> Self::TokenStream {
397         parse_stream_from_source_str(
398             FileName::proc_macro_source_code(src),
399             src.to_string(),
400             self.sess,
401             Some(self.call_site),
402         )
403     }
404     fn to_string(&mut self, stream: &Self::TokenStream) -> String {
405         pprust::tts_to_string(stream.clone())
406     }
407     fn from_token_tree(
408         &mut self,
409         tree: TokenTree<Self::Group, Self::Punct, Self::Ident, Self::Literal>,
410     ) -> Self::TokenStream {
411         tree.to_internal()
412     }
413     fn into_iter(&mut self, stream: Self::TokenStream) -> Self::TokenStreamIter {
414         TokenStreamIter { cursor: stream.trees(), stack: vec![] }
415     }
416 }
417
418 impl server::TokenStreamBuilder for Rustc<'_> {
419     fn new(&mut self) -> Self::TokenStreamBuilder {
420         tokenstream::TokenStreamBuilder::new()
421     }
422     fn push(&mut self, builder: &mut Self::TokenStreamBuilder, stream: Self::TokenStream) {
423         builder.push(stream);
424     }
425     fn build(&mut self, builder: Self::TokenStreamBuilder) -> Self::TokenStream {
426         builder.build()
427     }
428 }
429
430 impl server::TokenStreamIter for Rustc<'_> {
431     fn next(
432         &mut self,
433         iter: &mut Self::TokenStreamIter,
434     ) -> Option<TokenTree<Self::Group, Self::Punct, Self::Ident, Self::Literal>> {
435         loop {
436             let tree = iter.stack.pop().or_else(|| {
437                 let next = iter.cursor.next_with_joint()?;
438                 Some(TokenTree::from_internal((next, self.sess, &mut iter.stack)))
439             })?;
440             // HACK: The condition "dummy span + group with empty delimiter" represents an AST
441             // fragment approximately converted into a token stream. This may happen, for
442             // example, with inputs to proc macro attributes, including derives. Such "groups"
443             // need to flattened during iteration over stream's token trees.
444             // Eventually this needs to be removed in favor of keeping original token trees
445             // and not doing the roundtrip through AST.
446             if let TokenTree::Group(ref group) = tree {
447                 if group.delimiter == Delimiter::None && group.span.entire().is_dummy() {
448                     iter.cursor.append(group.stream.clone());
449                     continue;
450                 }
451             }
452             return Some(tree);
453         }
454     }
455 }
456
457 impl server::Group for Rustc<'_> {
458     fn new(&mut self, delimiter: Delimiter, stream: Self::TokenStream) -> Self::Group {
459         Group { delimiter, stream, span: DelimSpan::from_single(server::Span::call_site(self)) }
460     }
461     fn delimiter(&mut self, group: &Self::Group) -> Delimiter {
462         group.delimiter
463     }
464     fn stream(&mut self, group: &Self::Group) -> Self::TokenStream {
465         group.stream.clone()
466     }
467     fn span(&mut self, group: &Self::Group) -> Self::Span {
468         group.span.entire()
469     }
470     fn span_open(&mut self, group: &Self::Group) -> Self::Span {
471         group.span.open
472     }
473     fn span_close(&mut self, group: &Self::Group) -> Self::Span {
474         group.span.close
475     }
476     fn set_span(&mut self, group: &mut Self::Group, span: Self::Span) {
477         group.span = DelimSpan::from_single(span);
478     }
479 }
480
481 impl server::Punct for Rustc<'_> {
482     fn new(&mut self, ch: char, spacing: Spacing) -> Self::Punct {
483         Punct::new(ch, spacing == Spacing::Joint, server::Span::call_site(self))
484     }
485     fn as_char(&mut self, punct: Self::Punct) -> char {
486         punct.ch
487     }
488     fn spacing(&mut self, punct: Self::Punct) -> Spacing {
489         if punct.joint { Spacing::Joint } else { Spacing::Alone }
490     }
491     fn span(&mut self, punct: Self::Punct) -> Self::Span {
492         punct.span
493     }
494     fn with_span(&mut self, punct: Self::Punct, span: Self::Span) -> Self::Punct {
495         Punct { span, ..punct }
496     }
497 }
498
499 impl server::Ident for Rustc<'_> {
500     fn new(&mut self, string: &str, span: Self::Span, is_raw: bool) -> Self::Ident {
501         Ident::new(Symbol::intern(string), is_raw, span)
502     }
503     fn span(&mut self, ident: Self::Ident) -> Self::Span {
504         ident.span
505     }
506     fn with_span(&mut self, ident: Self::Ident, span: Self::Span) -> Self::Ident {
507         Ident { span, ..ident }
508     }
509 }
510
511 impl server::Literal for Rustc<'_> {
512     // FIXME(eddyb) `Literal` should not expose internal `Debug` impls.
513     fn debug(&mut self, literal: &Self::Literal) -> String {
514         format!("{:?}", literal)
515     }
516     fn integer(&mut self, n: &str) -> Self::Literal {
517         self.lit(token::Integer, Symbol::intern(n), None)
518     }
519     fn typed_integer(&mut self, n: &str, kind: &str) -> Self::Literal {
520         self.lit(token::Integer, Symbol::intern(n), Some(Symbol::intern(kind)))
521     }
522     fn float(&mut self, n: &str) -> Self::Literal {
523         self.lit(token::Float, Symbol::intern(n), None)
524     }
525     fn f32(&mut self, n: &str) -> Self::Literal {
526         self.lit(token::Float, Symbol::intern(n), Some(sym::f32))
527     }
528     fn f64(&mut self, n: &str) -> Self::Literal {
529         self.lit(token::Float, Symbol::intern(n), Some(sym::f64))
530     }
531     fn string(&mut self, string: &str) -> Self::Literal {
532         let mut escaped = String::new();
533         for ch in string.chars() {
534             escaped.extend(ch.escape_debug());
535         }
536         self.lit(token::Str, Symbol::intern(&escaped), None)
537     }
538     fn character(&mut self, ch: char) -> Self::Literal {
539         let mut escaped = String::new();
540         escaped.extend(ch.escape_unicode());
541         self.lit(token::Char, Symbol::intern(&escaped), None)
542     }
543     fn byte_string(&mut self, bytes: &[u8]) -> Self::Literal {
544         let string = bytes
545             .iter()
546             .cloned()
547             .flat_map(ascii::escape_default)
548             .map(Into::<char>::into)
549             .collect::<String>();
550         self.lit(token::ByteStr, Symbol::intern(&string), None)
551     }
552     fn span(&mut self, literal: &Self::Literal) -> Self::Span {
553         literal.span
554     }
555     fn set_span(&mut self, literal: &mut Self::Literal, span: Self::Span) {
556         literal.span = span;
557     }
558     fn subspan(
559         &mut self,
560         literal: &Self::Literal,
561         start: Bound<usize>,
562         end: Bound<usize>,
563     ) -> Option<Self::Span> {
564         let span = literal.span;
565         let length = span.hi().to_usize() - span.lo().to_usize();
566
567         let start = match start {
568             Bound::Included(lo) => lo,
569             Bound::Excluded(lo) => lo + 1,
570             Bound::Unbounded => 0,
571         };
572
573         let end = match end {
574             Bound::Included(hi) => hi + 1,
575             Bound::Excluded(hi) => hi,
576             Bound::Unbounded => length,
577         };
578
579         // Bounds check the values, preventing addition overflow and OOB spans.
580         if start > u32::max_value() as usize
581             || end > u32::max_value() as usize
582             || (u32::max_value() - start as u32) < span.lo().to_u32()
583             || (u32::max_value() - end as u32) < span.lo().to_u32()
584             || start >= end
585             || end > length
586         {
587             return None;
588         }
589
590         let new_lo = span.lo() + BytePos::from_usize(start);
591         let new_hi = span.lo() + BytePos::from_usize(end);
592         Some(span.with_lo(new_lo).with_hi(new_hi))
593     }
594 }
595
596 impl server::SourceFile for Rustc<'_> {
597     fn eq(&mut self, file1: &Self::SourceFile, file2: &Self::SourceFile) -> bool {
598         Lrc::ptr_eq(file1, file2)
599     }
600     fn path(&mut self, file: &Self::SourceFile) -> String {
601         match file.name {
602             FileName::Real(ref path) => path
603                 .to_str()
604                 .expect("non-UTF8 file path in `proc_macro::SourceFile::path`")
605                 .to_string(),
606             _ => file.name.to_string(),
607         }
608     }
609     fn is_real(&mut self, file: &Self::SourceFile) -> bool {
610         file.is_real_file()
611     }
612 }
613
614 impl server::MultiSpan for Rustc<'_> {
615     fn new(&mut self) -> Self::MultiSpan {
616         vec![]
617     }
618     fn push(&mut self, spans: &mut Self::MultiSpan, span: Self::Span) {
619         spans.push(span)
620     }
621 }
622
623 impl server::Diagnostic for Rustc<'_> {
624     fn new(&mut self, level: Level, msg: &str, spans: Self::MultiSpan) -> Self::Diagnostic {
625         let mut diag = Diagnostic::new(level.to_internal(), msg);
626         diag.set_span(MultiSpan::from_spans(spans));
627         diag
628     }
629     fn sub(
630         &mut self,
631         diag: &mut Self::Diagnostic,
632         level: Level,
633         msg: &str,
634         spans: Self::MultiSpan,
635     ) {
636         diag.sub(level.to_internal(), msg, MultiSpan::from_spans(spans), None);
637     }
638     fn emit(&mut self, diag: Self::Diagnostic) {
639         self.sess.span_diagnostic.emit_diagnostic(&diag);
640     }
641 }
642
643 impl server::Span for Rustc<'_> {
644     fn debug(&mut self, span: Self::Span) -> String {
645         format!("{:?} bytes({}..{})", span.ctxt(), span.lo().0, span.hi().0)
646     }
647     fn def_site(&mut self) -> Self::Span {
648         self.def_site
649     }
650     fn call_site(&mut self) -> Self::Span {
651         self.call_site
652     }
653     fn mixed_site(&mut self) -> Self::Span {
654         self.mixed_site
655     }
656     fn source_file(&mut self, span: Self::Span) -> Self::SourceFile {
657         self.sess.source_map().lookup_char_pos(span.lo()).file
658     }
659     fn parent(&mut self, span: Self::Span) -> Option<Self::Span> {
660         span.parent()
661     }
662     fn source(&mut self, span: Self::Span) -> Self::Span {
663         span.source_callsite()
664     }
665     fn start(&mut self, span: Self::Span) -> LineColumn {
666         let loc = self.sess.source_map().lookup_char_pos(span.lo());
667         LineColumn { line: loc.line, column: loc.col.to_usize() }
668     }
669     fn end(&mut self, span: Self::Span) -> LineColumn {
670         let loc = self.sess.source_map().lookup_char_pos(span.hi());
671         LineColumn { line: loc.line, column: loc.col.to_usize() }
672     }
673     fn join(&mut self, first: Self::Span, second: Self::Span) -> Option<Self::Span> {
674         let self_loc = self.sess.source_map().lookup_char_pos(first.lo());
675         let other_loc = self.sess.source_map().lookup_char_pos(second.lo());
676
677         if self_loc.file.name != other_loc.file.name {
678             return None;
679         }
680
681         Some(first.to(second))
682     }
683     fn resolved_at(&mut self, span: Self::Span, at: Self::Span) -> Self::Span {
684         span.with_ctxt(at.ctxt())
685     }
686     fn source_text(&mut self, span: Self::Span) -> Option<String> {
687         self.sess.source_map().span_to_snippet(span).ok()
688     }
689 }