blob: 6a1a200ccd69fb3c5baee0597d31990157619ec7 [file] [log] [blame]
David Tolnayad4b2472018-08-25 08:25:24 -04001use std;
David Tolnayc5ab8c62017-12-26 16:43:39 -05002use std::fmt::{self, Display};
David Tolnayad4b2472018-08-25 08:25:24 -04003use std::iter::FromIterator;
4
5use proc_macro2::{
6 Delimiter, Group, Ident, LexError, Literal, Punct, Spacing, Span, TokenStream, TokenTree,
7};
Alex Crichton3ea5ca32018-11-16 02:43:46 -08008#[cfg(feature = "printing")]
9use quote::ToTokens;
David Tolnayad4b2472018-08-25 08:25:24 -040010
David Tolnaya72f2622018-11-24 13:39:45 -080011#[cfg(feature = "parsing")]
David Tolnayad4b2472018-08-25 08:25:24 -040012use buffer::Cursor;
David Tolnay32874802018-11-11 08:52:19 -080013use thread::ThreadBound;
David Tolnayad4b2472018-08-25 08:25:24 -040014
15/// The result of a Syn parser.
16pub type Result<T> = std::result::Result<T, Error>;
17
18/// Error returned when a Syn parser cannot parse the input tokens.
19///
20/// Refer to the [module documentation] for details about parsing in Syn.
21///
22/// [module documentation]: index.html
23///
24/// *This type is available if Syn is built with the `"parsing"` feature.*
David Tolnay32874802018-11-11 08:52:19 -080025#[derive(Debug)]
David Tolnayad4b2472018-08-25 08:25:24 -040026pub struct Error {
David Tolnay32874802018-11-11 08:52:19 -080027 // Span is implemented as an index into a thread-local interner to keep the
28 // size small. It is not safe to access from a different thread. We want
29 // errors to be Send and Sync to play nicely with the Failure crate, so pin
30 // the span we're given to its original thread and assume it is
31 // Span::call_site if accessed from any other thread.
Alex Crichton3ea5ca32018-11-16 02:43:46 -080032 start_span: ThreadBound<Span>,
33 end_span: ThreadBound<Span>,
David Tolnayad4b2472018-08-25 08:25:24 -040034 message: String,
35}
36
David Tolnay32874802018-11-11 08:52:19 -080037#[cfg(test)]
David Tolnay5f794802018-11-24 14:51:21 -080038struct _Test
39where
40 Error: Send + Sync;
David Tolnay32874802018-11-11 08:52:19 -080041
David Tolnayad4b2472018-08-25 08:25:24 -040042impl Error {
David Tolnay7c8efe92018-09-01 10:00:50 -070043 /// Usually the [`ParseStream::error`] method will be used instead, which
44 /// automatically uses the correct span from the current position of the
45 /// parse stream.
46 ///
47 /// Use `Error::new` when the error needs to be triggered on some span other
48 /// than where the parse stream is currently positioned.
49 ///
50 /// [`ParseStream::error`]: struct.ParseBuffer.html#method.error
51 ///
52 /// # Example
53 ///
David Tolnay95989db2019-01-01 15:05:57 -050054 /// ```edition2018
David Tolnayfd5b1172018-12-31 17:54:36 -050055 /// use syn::{Error, Ident, LitStr, Result, Token};
David Tolnay67fea042018-11-24 14:50:20 -080056 /// use syn::parse::ParseStream;
David Tolnay7c8efe92018-09-01 10:00:50 -070057 ///
58 /// // Parses input that looks like `name = "string"` where the key must be
59 /// // the identifier `name` and the value may be any string literal.
60 /// // Returns the string literal.
61 /// fn parse_name(input: ParseStream) -> Result<LitStr> {
62 /// let name_token: Ident = input.parse()?;
63 /// if name_token != "name" {
64 /// // Trigger an error not on the current position of the stream,
65 /// // but on the position of the unexpected identifier.
66 /// return Err(Error::new(name_token.span(), "expected `name`"));
67 /// }
68 /// input.parse::<Token![=]>()?;
69 /// let s: LitStr = input.parse()?;
70 /// Ok(s)
71 /// }
David Tolnay7c8efe92018-09-01 10:00:50 -070072 /// ```
David Tolnayad4b2472018-08-25 08:25:24 -040073 pub fn new<T: Display>(span: Span, message: T) -> Self {
74 Error {
Alex Crichton3ea5ca32018-11-16 02:43:46 -080075 start_span: ThreadBound::new(span),
76 end_span: ThreadBound::new(span),
77 message: message.to_string(),
78 }
79 }
80
David Tolnay3aa72f52018-11-16 04:21:54 -080081 /// Creates an error with the specified message spanning the given syntax
82 /// tree node.
Alex Crichton3ea5ca32018-11-16 02:43:46 -080083 ///
David Tolnay3aa72f52018-11-16 04:21:54 -080084 /// Unlike the `Error::new` constructor, this constructor takes an argument
85 /// `tokens` which is a syntax tree node. This allows the resulting `Error`
86 /// to attempt to span all tokens inside of `tokens`. While you would
87 /// typically be able to use the `Spanned` trait with the above `Error::new`
88 /// constructor, implementation limitations today mean that
89 /// `Error::new_spanned` may provide a higher-quality error message on
90 /// stable Rust.
Alex Crichton3ea5ca32018-11-16 02:43:46 -080091 ///
92 /// When in doubt it's recommended to stick to `Error::new` (or
93 /// `ParseStream::error`)!
94 #[cfg(feature = "printing")]
95 pub fn new_spanned<T: ToTokens, U: Display>(tokens: T, message: U) -> Self {
96 let mut iter = tokens.into_token_stream().into_iter();
David Tolnay708ef132018-11-16 04:10:53 -080097 let start = iter.next().map_or_else(Span::call_site, |t| t.span());
98 let end = iter.last().map_or(start, |t| t.span());
Alex Crichton3ea5ca32018-11-16 02:43:46 -080099 Error {
100 start_span: ThreadBound::new(start),
101 end_span: ThreadBound::new(end),
David Tolnayad4b2472018-08-25 08:25:24 -0400102 message: message.to_string(),
103 }
104 }
105
David Tolnaye7900732018-11-11 10:25:47 -0800106 /// The source location of the error.
107 ///
108 /// Spans are not thread-safe so this function returns `Span::call_site()`
109 /// if called from a different thread than the one on which the `Error` was
110 /// originally created.
David Tolnay7744d9d2018-08-25 22:15:52 -0400111 pub fn span(&self) -> Span {
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800112 let start = match self.start_span.get() {
David Tolnay32874802018-11-11 08:52:19 -0800113 Some(span) => *span,
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800114 None => return Span::call_site(),
115 };
116
117 #[cfg(procmacro2_semver_exempt)]
118 {
119 let end = match self.end_span.get() {
120 Some(span) => *span,
121 None => return Span::call_site(),
122 };
David Tolnay2f12a6d2018-11-16 04:06:06 -0800123 start.join(end).unwrap_or(start)
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800124 }
125 #[cfg(not(procmacro2_semver_exempt))]
126 {
David Tolnay2f12a6d2018-11-16 04:06:06 -0800127 start
David Tolnay32874802018-11-11 08:52:19 -0800128 }
David Tolnay7744d9d2018-08-25 22:15:52 -0400129 }
130
David Tolnayad4b2472018-08-25 08:25:24 -0400131 /// Render the error as an invocation of [`compile_error!`].
132 ///
133 /// The [`parse_macro_input!`] macro provides a convenient way to invoke
134 /// this method correctly in a procedural macro.
135 ///
136 /// [`compile_error!`]: https://doc.rust-lang.org/std/macro.compile_error.html
137 /// [`parse_macro_input!`]: ../macro.parse_macro_input.html
David Tolnay24e21f92018-09-06 02:08:07 -0700138 pub fn to_compile_error(&self) -> TokenStream {
David Tolnay5f794802018-11-24 14:51:21 -0800139 let start = self
140 .start_span
141 .get()
142 .cloned()
143 .unwrap_or_else(Span::call_site);
David Tolnaycaf11b42018-11-16 04:09:43 -0800144 let end = self.end_span.get().cloned().unwrap_or_else(Span::call_site);
David Tolnay32874802018-11-11 08:52:19 -0800145
David Tolnayad4b2472018-08-25 08:25:24 -0400146 // compile_error!($message)
147 TokenStream::from_iter(vec![
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800148 TokenTree::Ident(Ident::new("compile_error", start)),
David Tolnayad4b2472018-08-25 08:25:24 -0400149 TokenTree::Punct({
150 let mut punct = Punct::new('!', Spacing::Alone);
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800151 punct.set_span(start);
David Tolnayad4b2472018-08-25 08:25:24 -0400152 punct
153 }),
154 TokenTree::Group({
155 let mut group = Group::new(Delimiter::Brace, {
156 TokenStream::from_iter(vec![TokenTree::Literal({
157 let mut string = Literal::string(&self.message);
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800158 string.set_span(end);
David Tolnayad4b2472018-08-25 08:25:24 -0400159 string
160 })])
161 });
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800162 group.set_span(end);
David Tolnayad4b2472018-08-25 08:25:24 -0400163 group
164 }),
165 ])
166 }
167}
168
David Tolnaya72f2622018-11-24 13:39:45 -0800169#[cfg(feature = "parsing")]
David Tolnayad4b2472018-08-25 08:25:24 -0400170pub fn new_at<T: Display>(scope: Span, cursor: Cursor, message: T) -> Error {
171 if cursor.eof() {
172 Error::new(scope, format!("unexpected end of input, {}", message))
173 } else {
174 Error::new(cursor.span(), message)
175 }
176}
177
178impl Display for Error {
179 fn fmt(&self, formatter: &mut fmt::Formatter) -> fmt::Result {
180 formatter.write_str(&self.message)
181 }
182}
183
David Tolnay32874802018-11-11 08:52:19 -0800184impl Clone for Error {
185 fn clone(&self) -> Self {
David Tolnay5f794802018-11-24 14:51:21 -0800186 let start = self
187 .start_span
188 .get()
189 .cloned()
190 .unwrap_or_else(Span::call_site);
David Tolnaycaf11b42018-11-16 04:09:43 -0800191 let end = self.end_span.get().cloned().unwrap_or_else(Span::call_site);
David Tolnay32874802018-11-11 08:52:19 -0800192 Error {
Alex Crichton3ea5ca32018-11-16 02:43:46 -0800193 start_span: ThreadBound::new(start),
194 end_span: ThreadBound::new(end),
David Tolnay32874802018-11-11 08:52:19 -0800195 message: self.message.clone(),
196 }
197 }
198}
199
David Tolnayad4b2472018-08-25 08:25:24 -0400200impl std::error::Error for Error {
201 fn description(&self) -> &str {
202 "parse error"
203 }
204}
205
206impl From<LexError> for Error {
207 fn from(err: LexError) -> Self {
208 Error::new(Span::call_site(), format!("{:?}", err))
209 }
210}