]> git.lizzy.rs Git - rust.git/blob - compiler/rustc_parse/src/lib.rs
Rollup merge of #86566 - fee1-dead:mir-pretty-print, r=oli-obk
[rust.git] / compiler / rustc_parse / src / lib.rs
1 //! The main parser interface.
2
3 #![feature(array_windows)]
4 #![feature(crate_visibility_modifier)]
5 #![feature(bindings_after_at)]
6 #![feature(box_syntax)]
7 #![feature(box_patterns)]
8 #![recursion_limit = "256"]
9
10 use rustc_ast as ast;
11 use rustc_ast::token::{self, Nonterminal, Token, TokenKind};
12 use rustc_ast::tokenstream::{self, AttributesData, CanSynthesizeMissingTokens, LazyTokenStream};
13 use rustc_ast::tokenstream::{AttrAnnotatedTokenStream, AttrAnnotatedTokenTree};
14 use rustc_ast::tokenstream::{Spacing, TokenStream};
15 use rustc_ast::AstLike;
16 use rustc_ast::Attribute;
17 use rustc_ast_pretty::pprust;
18 use rustc_data_structures::sync::Lrc;
19 use rustc_errors::{Diagnostic, FatalError, Level, PResult};
20 use rustc_session::parse::ParseSess;
21 use rustc_span::{FileName, SourceFile, Span};
22
23 use std::path::Path;
24 use std::str;
25
26 pub const MACRO_ARGUMENTS: Option<&str> = Some("macro arguments");
27
28 #[macro_use]
29 pub mod parser;
30 use parser::{emit_unclosed_delims, make_unclosed_delims_error, Parser};
31 pub mod lexer;
32 pub mod validate_attr;
33
34 // A bunch of utility functions of the form `parse_<thing>_from_<source>`
35 // where <thing> includes crate, expr, item, stmt, tts, and one that
36 // uses a HOF to parse anything, and <source> includes file and
37 // `source_str`.
38
39 /// A variant of 'panictry!' that works on a Vec<Diagnostic> instead of a single DiagnosticBuilder.
40 macro_rules! panictry_buffer {
41     ($handler:expr, $e:expr) => {{
42         use rustc_errors::FatalError;
43         use std::result::Result::{Err, Ok};
44         match $e {
45             Ok(e) => e,
46             Err(errs) => {
47                 for e in errs {
48                     $handler.emit_diagnostic(&e);
49                 }
50                 FatalError.raise()
51             }
52         }
53     }};
54 }
55
56 pub fn parse_crate_from_file<'a>(input: &Path, sess: &'a ParseSess) -> PResult<'a, ast::Crate> {
57     let mut parser = new_parser_from_file(sess, input, None);
58     parser.parse_crate_mod()
59 }
60
61 pub fn parse_crate_attrs_from_file<'a>(
62     input: &Path,
63     sess: &'a ParseSess,
64 ) -> PResult<'a, Vec<ast::Attribute>> {
65     let mut parser = new_parser_from_file(sess, input, None);
66     parser.parse_inner_attributes()
67 }
68
69 pub fn parse_crate_from_source_str(
70     name: FileName,
71     source: String,
72     sess: &ParseSess,
73 ) -> PResult<'_, ast::Crate> {
74     new_parser_from_source_str(sess, name, source).parse_crate_mod()
75 }
76
77 pub fn parse_crate_attrs_from_source_str(
78     name: FileName,
79     source: String,
80     sess: &ParseSess,
81 ) -> PResult<'_, Vec<ast::Attribute>> {
82     new_parser_from_source_str(sess, name, source).parse_inner_attributes()
83 }
84
85 pub fn parse_stream_from_source_str(
86     name: FileName,
87     source: String,
88     sess: &ParseSess,
89     override_span: Option<Span>,
90 ) -> TokenStream {
91     let (stream, mut errors) =
92         source_file_to_stream(sess, sess.source_map().new_source_file(name, source), override_span);
93     emit_unclosed_delims(&mut errors, &sess);
94     stream
95 }
96
97 /// Creates a new parser from a source string.
98 pub fn new_parser_from_source_str(sess: &ParseSess, name: FileName, source: String) -> Parser<'_> {
99     panictry_buffer!(&sess.span_diagnostic, maybe_new_parser_from_source_str(sess, name, source))
100 }
101
102 /// Creates a new parser from a source string. Returns any buffered errors from lexing the initial
103 /// token stream.
104 pub fn maybe_new_parser_from_source_str(
105     sess: &ParseSess,
106     name: FileName,
107     source: String,
108 ) -> Result<Parser<'_>, Vec<Diagnostic>> {
109     maybe_source_file_to_parser(sess, sess.source_map().new_source_file(name, source))
110 }
111
112 /// Creates a new parser, handling errors as appropriate if the file doesn't exist.
113 /// If a span is given, that is used on an error as the source of the problem.
114 pub fn new_parser_from_file<'a>(sess: &'a ParseSess, path: &Path, sp: Option<Span>) -> Parser<'a> {
115     source_file_to_parser(sess, file_to_source_file(sess, path, sp))
116 }
117
118 /// Given a `source_file` and config, returns a parser.
119 fn source_file_to_parser(sess: &ParseSess, source_file: Lrc<SourceFile>) -> Parser<'_> {
120     panictry_buffer!(&sess.span_diagnostic, maybe_source_file_to_parser(sess, source_file))
121 }
122
123 /// Given a `source_file` and config, return a parser. Returns any buffered errors from lexing the
124 /// initial token stream.
125 fn maybe_source_file_to_parser(
126     sess: &ParseSess,
127     source_file: Lrc<SourceFile>,
128 ) -> Result<Parser<'_>, Vec<Diagnostic>> {
129     let end_pos = source_file.end_pos;
130     let (stream, unclosed_delims) = maybe_file_to_stream(sess, source_file, None)?;
131     let mut parser = stream_to_parser(sess, stream, None);
132     parser.unclosed_delims = unclosed_delims;
133     if parser.token == token::Eof {
134         parser.token.span = Span::new(end_pos, end_pos, parser.token.span.ctxt());
135     }
136
137     Ok(parser)
138 }
139
140 // Base abstractions
141
142 /// Given a session and a path and an optional span (for error reporting),
143 /// add the path to the session's source_map and return the new source_file or
144 /// error when a file can't be read.
145 fn try_file_to_source_file(
146     sess: &ParseSess,
147     path: &Path,
148     spanopt: Option<Span>,
149 ) -> Result<Lrc<SourceFile>, Diagnostic> {
150     sess.source_map().load_file(path).map_err(|e| {
151         let msg = format!("couldn't read {}: {}", path.display(), e);
152         let mut diag = Diagnostic::new(Level::Fatal, &msg);
153         if let Some(sp) = spanopt {
154             diag.set_span(sp);
155         }
156         diag
157     })
158 }
159
160 /// Given a session and a path and an optional span (for error reporting),
161 /// adds the path to the session's `source_map` and returns the new `source_file`.
162 fn file_to_source_file(sess: &ParseSess, path: &Path, spanopt: Option<Span>) -> Lrc<SourceFile> {
163     match try_file_to_source_file(sess, path, spanopt) {
164         Ok(source_file) => source_file,
165         Err(d) => {
166             sess.span_diagnostic.emit_diagnostic(&d);
167             FatalError.raise();
168         }
169     }
170 }
171
172 /// Given a `source_file`, produces a sequence of token trees.
173 pub fn source_file_to_stream(
174     sess: &ParseSess,
175     source_file: Lrc<SourceFile>,
176     override_span: Option<Span>,
177 ) -> (TokenStream, Vec<lexer::UnmatchedBrace>) {
178     panictry_buffer!(&sess.span_diagnostic, maybe_file_to_stream(sess, source_file, override_span))
179 }
180
181 /// Given a source file, produces a sequence of token trees. Returns any buffered errors from
182 /// parsing the token stream.
183 pub fn maybe_file_to_stream(
184     sess: &ParseSess,
185     source_file: Lrc<SourceFile>,
186     override_span: Option<Span>,
187 ) -> Result<(TokenStream, Vec<lexer::UnmatchedBrace>), Vec<Diagnostic>> {
188     let src = source_file.src.as_ref().unwrap_or_else(|| {
189         sess.span_diagnostic.bug(&format!(
190             "cannot lex `source_file` without source: {}",
191             source_file.name.prefer_local()
192         ));
193     });
194
195     let (token_trees, unmatched_braces) =
196         lexer::parse_token_trees(sess, src.as_str(), source_file.start_pos, override_span);
197
198     match token_trees {
199         Ok(stream) => Ok((stream, unmatched_braces)),
200         Err(err) => {
201             let mut buffer = Vec::with_capacity(1);
202             err.buffer(&mut buffer);
203             // Not using `emit_unclosed_delims` to use `db.buffer`
204             for unmatched in unmatched_braces {
205                 if let Some(err) = make_unclosed_delims_error(unmatched, &sess) {
206                     err.buffer(&mut buffer);
207                 }
208             }
209             Err(buffer)
210         }
211     }
212 }
213
214 /// Given a stream and the `ParseSess`, produces a parser.
215 pub fn stream_to_parser<'a>(
216     sess: &'a ParseSess,
217     stream: TokenStream,
218     subparser_name: Option<&'static str>,
219 ) -> Parser<'a> {
220     Parser::new(sess, stream, false, subparser_name)
221 }
222
223 /// Runs the given subparser `f` on the tokens of the given `attr`'s item.
224 pub fn parse_in<'a, T>(
225     sess: &'a ParseSess,
226     tts: TokenStream,
227     name: &'static str,
228     mut f: impl FnMut(&mut Parser<'a>) -> PResult<'a, T>,
229 ) -> PResult<'a, T> {
230     let mut parser = Parser::new(sess, tts, false, Some(name));
231     let result = f(&mut parser)?;
232     if parser.token != token::Eof {
233         parser.unexpected()?;
234     }
235     Ok(result)
236 }
237
238 // NOTE(Centril): The following probably shouldn't be here but it acknowledges the
239 // fact that architecturally, we are using parsing (read on below to understand why).
240
241 pub fn nt_to_tokenstream(
242     nt: &Nonterminal,
243     sess: &ParseSess,
244     synthesize_tokens: CanSynthesizeMissingTokens,
245 ) -> TokenStream {
246     // A `Nonterminal` is often a parsed AST item. At this point we now
247     // need to convert the parsed AST to an actual token stream, e.g.
248     // un-parse it basically.
249     //
250     // Unfortunately there's not really a great way to do that in a
251     // guaranteed lossless fashion right now. The fallback here is to just
252     // stringify the AST node and reparse it, but this loses all span
253     // information.
254     //
255     // As a result, some AST nodes are annotated with the token stream they
256     // came from. Here we attempt to extract these lossless token streams
257     // before we fall back to the stringification.
258
259     let convert_tokens =
260         |tokens: Option<&LazyTokenStream>| Some(tokens?.create_token_stream().to_tokenstream());
261
262     let tokens = match *nt {
263         Nonterminal::NtItem(ref item) => prepend_attrs(&item.attrs, item.tokens.as_ref()),
264         Nonterminal::NtBlock(ref block) => convert_tokens(block.tokens.as_ref()),
265         Nonterminal::NtStmt(ref stmt) => {
266             if let ast::StmtKind::Empty = stmt.kind {
267                 let tokens = AttrAnnotatedTokenStream::new(vec![(
268                     tokenstream::AttrAnnotatedTokenTree::Token(Token::new(
269                         TokenKind::Semi,
270                         stmt.span,
271                     )),
272                     Spacing::Alone,
273                 )]);
274                 prepend_attrs(&stmt.attrs(), Some(&LazyTokenStream::new(tokens)))
275             } else {
276                 prepend_attrs(&stmt.attrs(), stmt.tokens())
277             }
278         }
279         Nonterminal::NtPat(ref pat) => convert_tokens(pat.tokens.as_ref()),
280         Nonterminal::NtTy(ref ty) => convert_tokens(ty.tokens.as_ref()),
281         Nonterminal::NtIdent(ident, is_raw) => {
282             Some(tokenstream::TokenTree::token(token::Ident(ident.name, is_raw), ident.span).into())
283         }
284         Nonterminal::NtLifetime(ident) => {
285             Some(tokenstream::TokenTree::token(token::Lifetime(ident.name), ident.span).into())
286         }
287         Nonterminal::NtMeta(ref attr) => convert_tokens(attr.tokens.as_ref()),
288         Nonterminal::NtPath(ref path) => convert_tokens(path.tokens.as_ref()),
289         Nonterminal::NtVis(ref vis) => convert_tokens(vis.tokens.as_ref()),
290         Nonterminal::NtTT(ref tt) => Some(tt.clone().into()),
291         Nonterminal::NtExpr(ref expr) | Nonterminal::NtLiteral(ref expr) => {
292             prepend_attrs(&expr.attrs, expr.tokens.as_ref())
293         }
294     };
295
296     if let Some(tokens) = tokens {
297         return tokens;
298     } else if matches!(synthesize_tokens, CanSynthesizeMissingTokens::Yes) {
299         return fake_token_stream(sess, nt);
300     } else {
301         panic!(
302             "Missing tokens for nt {:?} at {:?}: {:?}",
303             nt,
304             nt.span(),
305             pprust::nonterminal_to_string(nt)
306         );
307     }
308 }
309
310 fn prepend_attrs(attrs: &[Attribute], tokens: Option<&LazyTokenStream>) -> Option<TokenStream> {
311     let tokens = tokens?;
312     if attrs.is_empty() {
313         return Some(tokens.create_token_stream().to_tokenstream());
314     }
315     let attr_data = AttributesData { attrs: attrs.to_vec().into(), tokens: tokens.clone() };
316     let wrapped = AttrAnnotatedTokenStream::new(vec![(
317         AttrAnnotatedTokenTree::Attributes(attr_data),
318         Spacing::Alone,
319     )]);
320     Some(wrapped.to_tokenstream())
321 }
322
323 pub fn fake_token_stream(sess: &ParseSess, nt: &Nonterminal) -> TokenStream {
324     let source = pprust::nonterminal_to_string(nt);
325     let filename = FileName::macro_expansion_source_code(&source);
326     parse_stream_from_source_str(filename, source, sess, Some(nt.span()))
327 }