blob: 34cd34149960c20a9d1e3f94ba3427ce05fefbed [file] [log] [blame]
David Tolnayf4bbbd92016-09-23 14:41:55 -07001/// Literal kind.
2///
3/// E.g. `"foo"`, `42`, `12.34` or `bool`
4#[derive(Debug, Clone, Eq, PartialEq)]
5pub enum Lit {
6 /// A string literal (`"foo"`)
7 Str(String, StrStyle),
8 /// A byte string (`b"foo"`)
David Tolnay4a658402016-10-24 00:21:41 -07009 ByteStr(Vec<u8>, StrStyle),
David Tolnayf4bbbd92016-09-23 14:41:55 -070010 /// A byte char (`b'f'`)
11 Byte(u8),
12 /// A character literal (`'a'`)
13 Char(char),
14 /// An integer literal (`1`)
15 Int(u64, IntTy),
16 /// A float literal (`1f64` or `1E10f64` or `1.0E10`)
17 Float(String, FloatTy),
18 /// A boolean literal
19 Bool(bool),
20}
21
22#[derive(Debug, Copy, Clone, Eq, PartialEq)]
23pub enum StrStyle {
24 /// A regular string, like `"foo"`
25 Cooked,
26 /// A raw string, like `r##"foo"##`
27 ///
28 /// The uint is the number of `#` symbols used
David Tolnaydaaf7742016-10-03 11:11:43 -070029 Raw(usize),
David Tolnayf4bbbd92016-09-23 14:41:55 -070030}
31
Pascal Hertleif36342c52016-10-19 10:31:42 +020032impl From<String> for Lit {
33 fn from(input: String) -> Lit {
34 Lit::Str(input, StrStyle::Cooked)
35 }
36}
37
38impl<'a> From<&'a str> for Lit {
39 fn from(input: &str) -> Lit {
40 Lit::Str(input.into(), StrStyle::Cooked)
41 }
42}
43
44impl From<Vec<u8>> for Lit {
45 fn from(input: Vec<u8>) -> Lit {
David Tolnay4a658402016-10-24 00:21:41 -070046 Lit::ByteStr(input, StrStyle::Cooked)
Pascal Hertleif36342c52016-10-19 10:31:42 +020047 }
48}
49
50impl<'a> From<&'a [u8]> for Lit {
51 fn from(input: &[u8]) -> Lit {
David Tolnay4a658402016-10-24 00:21:41 -070052 Lit::ByteStr(input.into(), StrStyle::Cooked)
Pascal Hertleif36342c52016-10-19 10:31:42 +020053 }
54}
55
56impl From<char> for Lit {
57 fn from(input: char) -> Lit {
58 Lit::Char(input)
59 }
60}
61
62impl From<bool> for Lit {
63 fn from(input: bool) -> Lit {
64 Lit::Bool(input)
65 }
66}
67
David Tolnayf4bbbd92016-09-23 14:41:55 -070068#[derive(Debug, Copy, Clone, Eq, PartialEq)]
69pub enum IntTy {
70 Isize,
71 I8,
72 I16,
73 I32,
74 I64,
75 Usize,
76 U8,
77 U16,
78 U32,
79 U64,
David Tolnaydaaf7742016-10-03 11:11:43 -070080 Unsuffixed,
David Tolnayf4bbbd92016-09-23 14:41:55 -070081}
82
83#[derive(Debug, Copy, Clone, Eq, PartialEq)]
84pub enum FloatTy {
85 F32,
86 F64,
87 Unsuffixed,
88}
89
Pascal Hertleif36342c52016-10-19 10:31:42 +020090macro_rules! impl_from_for_lit {
91 (Int, [$($rust_type:ty => $syn_type:expr),+]) => {
92 $(
93 impl From<$rust_type> for Lit {
94 fn from(input: $rust_type) -> Lit {
95 Lit::Int(input as u64, $syn_type)
96 }
97 }
98 )+
99 };
100 (Float, [$($rust_type:ty => $syn_type:expr),+]) => {
101 $(
102 impl From<$rust_type> for Lit {
103 fn from(input: $rust_type) -> Lit {
104 Lit::Float(format!("{}", input), $syn_type)
105 }
106 }
107 )+
108 };
109}
110
111impl_from_for_lit! {Int, [
112 isize => IntTy::Isize,
113 i8 => IntTy::I8,
114 i16 => IntTy::I16,
115 i32 => IntTy::I32,
116 i64 => IntTy::I64,
117 usize => IntTy::Usize,
118 u8 => IntTy::U8,
119 u16 => IntTy::U16,
120 u32 => IntTy::U32,
121 u64 => IntTy::U64
122]}
123
124impl_from_for_lit! {Float, [
125 f32 => FloatTy::F32,
126 f64 => FloatTy::F64
127]}
128
David Tolnayf4bbbd92016-09-23 14:41:55 -0700129#[cfg(feature = "parsing")]
130pub mod parsing {
131 use super::*;
David Tolnay615cf6a2016-10-08 23:07:02 -0700132 use escape::{cooked_char, cooked_string, raw_string};
David Tolnaydef66372016-10-24 21:51:32 -0700133 use space::skip_whitespace;
David Tolnayde206222016-09-30 11:47:01 -0700134 use nom::IResult;
David Tolnay4f5f60f2016-10-24 00:52:58 -0700135 use unicode_xid::UnicodeXID;
David Tolnayf4bbbd92016-09-23 14:41:55 -0700136
137 named!(pub lit -> Lit, alt!(
David Tolnay210884d2016-10-01 08:18:42 -0700138 string
David Tolnay56d62132016-10-01 16:14:54 -0700139 |
140 byte_string
David Tolnay615cf6a2016-10-08 23:07:02 -0700141 |
142 byte
143 |
144 character
David Tolnayf4bbbd92016-09-23 14:41:55 -0700145 |
David Tolnay4f5f60f2016-10-24 00:52:58 -0700146 float // must be before int
147 |
David Tolnayf4bbbd92016-09-23 14:41:55 -0700148 int => { |(value, ty)| Lit::Int(value, ty) }
David Tolnay759d2ff2016-10-01 16:18:15 -0700149 |
David Tolnay3ce49d02016-10-23 22:29:19 -0700150 boolean
David Tolnayf4bbbd92016-09-23 14:41:55 -0700151 ));
152
David Tolnay210884d2016-10-01 08:18:42 -0700153 named!(string -> Lit, alt!(
David Tolnay42602292016-10-01 22:25:45 -0700154 quoted_string => { |s| Lit::Str(s, StrStyle::Cooked) }
David Tolnay210884d2016-10-01 08:18:42 -0700155 |
156 preceded!(
157 punct!("r"),
158 raw_string
159 ) => { |(s, n)| Lit::Str(s, StrStyle::Raw(n)) }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700160 ));
161
David Tolnay42602292016-10-01 22:25:45 -0700162 named!(pub quoted_string -> String, delimited!(
163 punct!("\""),
164 cooked_string,
165 tag!("\"")
166 ));
167
David Tolnay56d62132016-10-01 16:14:54 -0700168 named!(byte_string -> Lit, alt!(
169 delimited!(
170 punct!("b\""),
171 cooked_string,
172 tag!("\"")
David Tolnay4a658402016-10-24 00:21:41 -0700173 ) => { |s: String| Lit::ByteStr(s.into_bytes(), StrStyle::Cooked) }
David Tolnay56d62132016-10-01 16:14:54 -0700174 |
175 preceded!(
176 punct!("br"),
177 raw_string
David Tolnay4a658402016-10-24 00:21:41 -0700178 ) => { |(s, n): (String, _)| Lit::ByteStr(s.into_bytes(), StrStyle::Raw(n)) }
David Tolnay56d62132016-10-01 16:14:54 -0700179 ));
180
David Tolnay615cf6a2016-10-08 23:07:02 -0700181 named!(byte -> Lit, do_parse!(
182 punct!("b") >>
183 tag!("'") >>
184 ch: cooked_char >>
185 tag!("'") >>
186 (Lit::Byte(ch as u8))
187 ));
188
189 named!(character -> Lit, do_parse!(
190 punct!("'") >>
191 ch: cooked_char >>
192 tag!("'") >>
193 (Lit::Char(ch))
194 ));
195
David Tolnay4f5f60f2016-10-24 00:52:58 -0700196 named!(float -> Lit, do_parse!(
David Tolnay4f5f60f2016-10-24 00:52:58 -0700197 value: float_string >>
198 suffix: alt!(
199 tag!("f32") => { |_| FloatTy::F32 }
200 |
201 tag!("f64") => { |_| FloatTy::F64 }
202 |
203 epsilon!() => { |_| FloatTy::Unsuffixed }
204 ) >>
205 (Lit::Float(value, suffix))
206 ));
207
David Tolnayde206222016-09-30 11:47:01 -0700208 named!(pub int -> (u64, IntTy), tuple!(
David Tolnaydef66372016-10-24 21:51:32 -0700209 digits,
David Tolnayde206222016-09-30 11:47:01 -0700210 alt!(
211 tag!("isize") => { |_| IntTy::Isize }
212 |
213 tag!("i8") => { |_| IntTy::I8 }
214 |
215 tag!("i16") => { |_| IntTy::I16 }
216 |
217 tag!("i32") => { |_| IntTy::I32 }
218 |
219 tag!("i64") => { |_| IntTy::I64 }
220 |
221 tag!("usize") => { |_| IntTy::Usize }
222 |
223 tag!("u8") => { |_| IntTy::U8 }
224 |
225 tag!("u16") => { |_| IntTy::U16 }
226 |
227 tag!("u32") => { |_| IntTy::U32 }
228 |
229 tag!("u64") => { |_| IntTy::U64 }
230 |
231 epsilon!() => { |_| IntTy::Unsuffixed }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700232 )
233 ));
234
David Tolnay3ce49d02016-10-23 22:29:19 -0700235 named!(boolean -> Lit, alt!(
236 keyword!("true") => { |_| Lit::Bool(true) }
237 |
238 keyword!("false") => { |_| Lit::Bool(false) }
239 ));
240
David Tolnaydef66372016-10-24 21:51:32 -0700241 fn float_string(mut input: &str) -> IResult<&str, String> {
242 input = skip_whitespace(input);
243
David Tolnay4f5f60f2016-10-24 00:52:58 -0700244 let mut chars = input.chars().peekable();
245 match chars.next() {
246 Some(ch) if ch >= '0' && ch <= '9' => {}
247 _ => return IResult::Error,
248 }
249
250 let mut len = 1;
251 let mut has_dot = false;
252 let mut has_exp = false;
253 while let Some(&ch) = chars.peek() {
254 match ch {
255 '0'...'9' | '_' => {
256 chars.next();
257 len += 1;
258 }
259 '.' => {
260 if has_dot {
261 break;
262 }
263 chars.next();
264 if chars.peek()
265 .map(|&ch| ch == '.' || UnicodeXID::is_xid_start(ch))
266 .unwrap_or(false) {
267 return IResult::Error;
268 }
269 len += 1;
270 has_dot = true;
271 }
272 'e' | 'E' => {
273 chars.next();
274 len += 1;
275 has_exp = true;
276 break;
277 }
278 _ => break,
279 }
280 }
281
282 let rest = &input[len..];
283 if !(has_dot || has_exp || rest.starts_with("f32") || rest.starts_with("f64")) {
284 return IResult::Error;
285 }
286
287 if has_exp {
288 let mut has_exp_value = false;
289 while let Some(&ch) = chars.peek() {
290 match ch {
291 '+' | '-' => {
292 if has_exp_value {
293 break;
294 }
295 chars.next();
296 len += 1;
297 }
298 '0'...'9' => {
299 chars.next();
300 len += 1;
301 has_exp_value = true;
302 }
303 '_' => {
304 chars.next();
305 len += 1;
306 }
307 _ => break,
308 }
309 }
310 if !has_exp_value {
311 return IResult::Error;
312 }
313 }
314
David Tolnayc7b636a2016-10-24 13:01:08 -0700315 IResult::Done(&input[len..], input[..len].replace("_", ""))
David Tolnay4f5f60f2016-10-24 00:52:58 -0700316 }
317
David Tolnay8a19e6d2016-10-24 01:23:40 -0700318 pub fn digits(mut input: &str) -> IResult<&str, u64> {
David Tolnaydef66372016-10-24 21:51:32 -0700319 input = skip_whitespace(input);
320
David Tolnay8a19e6d2016-10-24 01:23:40 -0700321 let base = if input.starts_with("0x") {
322 input = &input[2..];
323 16
324 } else if input.starts_with("0o") {
325 input = &input[2..];
326 8
327 } else if input.starts_with("0b") {
328 input = &input[2..];
329 2
330 } else {
331 10
332 };
333
David Tolnayf4bbbd92016-09-23 14:41:55 -0700334 let mut value = 0u64;
335 let mut len = 0;
David Tolnay24b5ff72016-10-24 01:05:05 -0700336 let mut empty = true;
337 for b in input.bytes() {
David Tolnay8a19e6d2016-10-24 01:23:40 -0700338 let digit = match b {
339 b'0'...b'9' => (b - b'0') as u64,
340 b'a'...b'f' => 10 + (b - b'a') as u64,
341 b'A'...b'F' => 10 + (b - b'A') as u64,
David Tolnay24b5ff72016-10-24 01:05:05 -0700342 b'_' => {
343 if empty {
344 return IResult::Error;
345 }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700346 len += 1;
David Tolnay8a19e6d2016-10-24 01:23:40 -0700347 continue;
David Tolnayf4bbbd92016-09-23 14:41:55 -0700348 }
David Tolnayfa0edf22016-09-23 22:58:24 -0700349 _ => break,
David Tolnay8a19e6d2016-10-24 01:23:40 -0700350 };
351 if digit >= base {
352 return IResult::Error;
David Tolnayf4bbbd92016-09-23 14:41:55 -0700353 }
David Tolnay8a19e6d2016-10-24 01:23:40 -0700354 value = match value.checked_mul(base) {
355 Some(value) => value,
356 None => return IResult::Error,
357 };
358 value = match value.checked_add(digit) {
359 Some(value) => value,
360 None => return IResult::Error,
361 };
362 len += 1;
363 empty = false;
David Tolnayf4bbbd92016-09-23 14:41:55 -0700364 }
David Tolnay24b5ff72016-10-24 01:05:05 -0700365 if empty {
David Tolnayfa0edf22016-09-23 22:58:24 -0700366 IResult::Error
David Tolnay24b5ff72016-10-24 01:05:05 -0700367 } else {
368 IResult::Done(&input[len..], value)
David Tolnayfa0edf22016-09-23 22:58:24 -0700369 }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700370 }
371}
372
373#[cfg(feature = "printing")]
374mod printing {
375 use super::*;
376 use quote::{Tokens, ToTokens};
David Tolnay56d62132016-10-01 16:14:54 -0700377 use std::{ascii, iter};
David Tolnayf4bbbd92016-09-23 14:41:55 -0700378 use std::fmt::{self, Display};
David Tolnay4a658402016-10-24 00:21:41 -0700379 use std::str;
David Tolnayf4bbbd92016-09-23 14:41:55 -0700380
381 impl ToTokens for Lit {
382 fn to_tokens(&self, tokens: &mut Tokens) {
383 match *self {
384 Lit::Str(ref s, StrStyle::Cooked) => s.to_tokens(tokens),
David Tolnay627e3d52016-10-01 08:27:31 -0700385 Lit::Str(ref s, StrStyle::Raw(n)) => {
David Tolnay56d62132016-10-01 16:14:54 -0700386 tokens.append(&format!("r{delim}\"{string}\"{delim}",
387 delim = iter::repeat("#").take(n).collect::<String>(),
388 string = s));
389 }
David Tolnay4a658402016-10-24 00:21:41 -0700390 Lit::ByteStr(ref v, StrStyle::Cooked) => {
David Tolnay56d62132016-10-01 16:14:54 -0700391 let mut escaped = "b\"".to_string();
392 for &ch in v.iter() {
David Tolnay289f4c72016-10-25 00:00:09 -0700393 match ch {
394 0 => escaped.push_str(r"\0"),
395 b'\'' => escaped.push('\''),
396 _ => escaped.extend(ascii::escape_default(ch).map(|c| c as char)),
397 }
David Tolnay627e3d52016-10-01 08:27:31 -0700398 }
David Tolnay56d62132016-10-01 16:14:54 -0700399 escaped.push('"');
400 tokens.append(&escaped);
David Tolnay627e3d52016-10-01 08:27:31 -0700401 }
David Tolnay4a658402016-10-24 00:21:41 -0700402 Lit::ByteStr(ref vec, StrStyle::Raw(n)) => {
403 tokens.append(&format!("br{delim}\"{string}\"{delim}",
404 delim = iter::repeat("#").take(n).collect::<String>(),
405 string = str::from_utf8(vec).unwrap()));
406 }
David Tolnay289f4c72016-10-25 00:00:09 -0700407 Lit::Byte(b) => {
408 match b {
409 0 => tokens.append(r"b'\0'"),
410 b'\"' => tokens.append("b'\"'"),
411 _ => {
412 let mut escaped = "b'".to_string();
413 escaped.extend(ascii::escape_default(b).map(|c| c as char));
414 escaped.push('\'');
415 tokens.append(&escaped);
416 }
417 }
418 }
David Tolnayf17fd2f2016-10-07 23:38:08 -0700419 Lit::Char(ch) => ch.to_tokens(tokens),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700420 Lit::Int(value, ty) => tokens.append(&format!("{}{}", value, ty)),
David Tolnayf17fd2f2016-10-07 23:38:08 -0700421 Lit::Float(ref value, ty) => tokens.append(&format!("{}{}", value, ty)),
David Tolnay759d2ff2016-10-01 16:18:15 -0700422 Lit::Bool(true) => tokens.append("true"),
423 Lit::Bool(false) => tokens.append("false"),
David Tolnayf4bbbd92016-09-23 14:41:55 -0700424 }
425 }
426 }
427
428 impl Display for IntTy {
429 fn fmt(&self, formatter: &mut fmt::Formatter) -> Result<(), fmt::Error> {
430 match *self {
431 IntTy::Isize => formatter.write_str("isize"),
432 IntTy::I8 => formatter.write_str("i8"),
433 IntTy::I16 => formatter.write_str("i16"),
434 IntTy::I32 => formatter.write_str("i32"),
435 IntTy::I64 => formatter.write_str("i64"),
436 IntTy::Usize => formatter.write_str("usize"),
437 IntTy::U8 => formatter.write_str("u8"),
438 IntTy::U16 => formatter.write_str("u16"),
439 IntTy::U32 => formatter.write_str("u32"),
440 IntTy::U64 => formatter.write_str("u64"),
441 IntTy::Unsuffixed => Ok(()),
442 }
443 }
444 }
David Tolnayf17fd2f2016-10-07 23:38:08 -0700445
446 impl Display for FloatTy {
447 fn fmt(&self, formatter: &mut fmt::Formatter) -> Result<(), fmt::Error> {
448 match *self {
449 FloatTy::F32 => formatter.write_str("f32"),
450 FloatTy::F64 => formatter.write_str("f64"),
451 FloatTy::Unsuffixed => Ok(()),
452 }
453 }
454 }
David Tolnayf4bbbd92016-09-23 14:41:55 -0700455}