1#[cfg(wrap_proc_macro)]
2use crate::imp;
3#[cfg(span_locations)]
4use crate::location::LineColumn;
5use crate::parse::{self, Cursor};
6use crate::rcvec::{RcVec, RcVecBuilder, RcVecIntoIter, RcVecMut};
7use crate::{Delimiter, Spacing, TokenTree};
8use alloc::borrow::ToOwned as _;
9use alloc::boxed::Box;
10#[cfg(all(span_locations, not(fuzzing)))]
11use alloc::collections::BTreeMap;
12use alloc::format;
13use alloc::string::{String, ToString as _};
14#[cfg(all(span_locations, not(fuzzing)))]
15use alloc::vec;
16use alloc::vec::Vec;
17#[cfg(all(span_locations, not(fuzzing)))]
18use core::cell::RefCell;
19#[cfg(span_locations)]
20use core::cmp;
21#[cfg(all(span_locations, not(fuzzing)))]
22use core::cmp::Ordering;
23use core::ffi::CStr;
24use core::fmt::{self, Debug, Display, Write};
25use core::mem::ManuallyDrop;
26#[cfg(span_locations)]
27use core::ops::Range;
28use core::ops::RangeBounds;
29use core::ptr;
30use core::str;
31#[cfg(feature = "proc-macro")]
32use core::str::FromStr;
33#[cfg(wrap_proc_macro)]
34use std::panic;
35#[cfg(span_locations)]
36use std::path::PathBuf;
37#[cfg(all(span_locations, not(fuzzing)))]
38use std::thread_local;
39
40pub fn force() {
43 #[cfg(wrap_proc_macro)]
44 crate::detection::force_fallback();
45}
46
47pub fn unforce() {
50 #[cfg(wrap_proc_macro)]
51 crate::detection::unforce_fallback();
52}
53
54#[derive(#[automatically_derived]
impl ::core::clone::Clone for TokenStream {
#[inline]
fn clone(&self) -> TokenStream {
TokenStream { inner: ::core::clone::Clone::clone(&self.inner) }
}
}Clone)]
55pub(crate) struct TokenStream {
56 inner: RcVec<TokenTree>,
57}
58
59#[derive(#[automatically_derived]
impl ::core::fmt::Debug for LexError {
#[inline]
fn fmt(&self, f: &mut ::core::fmt::Formatter) -> ::core::fmt::Result {
::core::fmt::Formatter::debug_struct_field1_finish(f, "LexError",
"span", &&self.span)
}
}Debug)]
60pub(crate) struct LexError {
61 pub(crate) span: Span,
62}
63
64impl LexError {
65 pub(crate) fn span(&self) -> Span {
66 self.span
67 }
68
69 pub(crate) fn call_site() -> Self {
70 LexError {
71 span: Span::call_site(),
72 }
73 }
74}
75
76impl TokenStream {
77 pub(crate) fn new() -> Self {
78 TokenStream {
79 inner: RcVecBuilder::new().build(),
80 }
81 }
82
83 pub(crate) fn from_str_checked(src: &str) -> Result<Self, LexError> {
84 let mut cursor = get_cursor(src);
86
87 const BYTE_ORDER_MARK: &str = "\u{feff}";
89 if cursor.starts_with(BYTE_ORDER_MARK) {
90 cursor = cursor.advance(BYTE_ORDER_MARK.len());
91 }
92
93 parse::token_stream(cursor)
94 }
95
96 #[cfg(feature = "proc-macro")]
97 pub(crate) fn from_str_unchecked(src: &str) -> Self {
98 Self::from_str_checked(src).unwrap()
99 }
100
101 pub(crate) fn is_empty(&self) -> bool {
102 self.inner.len() == 0
103 }
104
105 fn take_inner(self) -> RcVecBuilder<TokenTree> {
106 let nodrop = ManuallyDrop::new(self);
107 unsafe { ptr::read(&nodrop.inner) }.make_owned()
108 }
109}
110
111fn push_token_from_proc_macro(mut vec: RcVecMut<TokenTree>, token: TokenTree) {
112 match token {
114 TokenTree::Literal(crate::Literal {
115 #[cfg(wrap_proc_macro)]
116 inner: crate::imp::Literal::Fallback(literal),
117 #[cfg(not(wrap_proc_macro))]
118 inner: literal,
119 ..
120 }) if literal.repr.starts_with('-') => {
121 push_negative_literal(vec, literal);
122 }
123 _ => vec.push(token),
124 }
125
126 #[cold]
127 fn push_negative_literal(mut vec: RcVecMut<TokenTree>, mut literal: Literal) {
128 literal.repr.remove(0);
129 let mut punct = crate::Punct::new('-', Spacing::Alone);
130 punct.set_span(crate::Span::_new_fallback(literal.span));
131 vec.push(TokenTree::Punct(punct));
132 vec.push(TokenTree::Literal(crate::Literal::_new_fallback(literal)));
133 }
134}
135
136impl Drop for TokenStream {
138 fn drop(&mut self) {
139 let mut stack = Vec::new();
140 let mut current = match self.inner.get_mut() {
141 Some(inner) => inner.take().into_iter(),
142 None => return,
143 };
144 loop {
145 while let Some(token) = current.next() {
146 let group = match token {
147 TokenTree::Group(group) => group.inner,
148 _ => continue,
149 };
150 #[cfg(wrap_proc_macro)]
151 let group = match group {
152 crate::imp::Group::Fallback(group) => group,
153 crate::imp::Group::Compiler(_) => continue,
154 };
155 let mut group = group;
156 if let Some(inner) = group.stream.inner.get_mut() {
157 stack.push(current);
158 current = inner.take().into_iter();
159 }
160 }
161 match stack.pop() {
162 Some(next) => current = next,
163 None => return,
164 }
165 }
166 }
167}
168
169pub(crate) struct TokenStreamBuilder {
170 inner: RcVecBuilder<TokenTree>,
171}
172
173impl TokenStreamBuilder {
174 pub(crate) fn new() -> Self {
175 TokenStreamBuilder {
176 inner: RcVecBuilder::new(),
177 }
178 }
179
180 pub(crate) fn with_capacity(cap: usize) -> Self {
181 TokenStreamBuilder {
182 inner: RcVecBuilder::with_capacity(cap),
183 }
184 }
185
186 pub(crate) fn push_token_from_parser(&mut self, tt: TokenTree) {
187 self.inner.push(tt);
188 }
189
190 pub(crate) fn build(self) -> TokenStream {
191 TokenStream {
192 inner: self.inner.build(),
193 }
194 }
195}
196
197#[cfg(span_locations)]
198fn get_cursor(src: &str) -> Cursor {
199 #[cfg(fuzzing)]
200 return Cursor { rest: src, off: 1 };
201
202 #[cfg(not(fuzzing))]
204 SOURCE_MAP.with(|sm| {
205 let mut sm = sm.borrow_mut();
206 let span = sm.add_file(src);
207 Cursor {
208 rest: src,
209 off: span.lo,
210 }
211 })
212}
213
214#[cfg(not(span_locations))]
215fn get_cursor(src: &str) -> Cursor {
216 Cursor { rest: src }
217}
218
219impl Display for LexError {
220 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
221 f.write_str("cannot parse string into token stream")
222 }
223}
224
225impl Display for TokenStream {
226 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
227 let mut joint = false;
228 for (i, tt) in self.inner.iter().enumerate() {
229 if i != 0 && !joint {
230 f.write_fmt(format_args!(" "))write!(f, " ")?;
231 }
232 joint = false;
233 match tt {
234 TokenTree::Group(tt) => f.write_fmt(format_args!("{0}", tt))write!(f, "{}", tt),
235 TokenTree::Ident(tt) => f.write_fmt(format_args!("{0}", tt))write!(f, "{}", tt),
236 TokenTree::Punct(tt) => {
237 joint = tt.spacing() == Spacing::Joint;
238 f.write_fmt(format_args!("{0}", tt))write!(f, "{}", tt)
239 }
240 TokenTree::Literal(tt) => f.write_fmt(format_args!("{0}", tt))write!(f, "{}", tt),
241 }?;
242 }
243
244 Ok(())
245 }
246}
247
248impl Debug for TokenStream {
249 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
250 f.write_str("TokenStream ")?;
251 f.debug_list().entries(self.clone()).finish()
252 }
253}
254
255#[cfg(feature = "proc-macro")]
256impl From<proc_macro::TokenStream> for TokenStream {
257 fn from(inner: proc_macro::TokenStream) -> Self {
258 TokenStream::from_str_unchecked(&inner.to_string())
259 }
260}
261
262#[cfg(feature = "proc-macro")]
263impl From<TokenStream> for proc_macro::TokenStream {
264 fn from(inner: TokenStream) -> Self {
265 proc_macro::TokenStream::from_str_unchecked(&inner.to_string())
266 }
267}
268
269impl From<TokenTree> for TokenStream {
270 fn from(tree: TokenTree) -> Self {
271 let mut stream = RcVecBuilder::new();
272 push_token_from_proc_macro(stream.as_mut(), tree);
273 TokenStream {
274 inner: stream.build(),
275 }
276 }
277}
278
279impl FromIterator<TokenTree> for TokenStream {
280 fn from_iter<I: IntoIterator<Item = TokenTree>>(tokens: I) -> Self {
281 let mut stream = TokenStream::new();
282 stream.extend(tokens);
283 stream
284 }
285}
286
287impl FromIterator<TokenStream> for TokenStream {
288 fn from_iter<I: IntoIterator<Item = TokenStream>>(streams: I) -> Self {
289 let mut v = RcVecBuilder::new();
290
291 for stream in streams {
292 v.extend(stream.take_inner());
293 }
294
295 TokenStream { inner: v.build() }
296 }
297}
298
299impl Extend<TokenTree> for TokenStream {
300 fn extend<I: IntoIterator<Item = TokenTree>>(&mut self, tokens: I) {
301 let mut vec = self.inner.make_mut();
302 tokens
303 .into_iter()
304 .for_each(|token| push_token_from_proc_macro(vec.as_mut(), token));
305 }
306}
307
308impl Extend<TokenStream> for TokenStream {
309 fn extend<I: IntoIterator<Item = TokenStream>>(&mut self, streams: I) {
310 self.inner.make_mut().extend(streams.into_iter().flatten());
311 }
312}
313
314pub(crate) type TokenTreeIter = RcVecIntoIter<TokenTree>;
315
316impl IntoIterator for TokenStream {
317 type Item = TokenTree;
318 type IntoIter = TokenTreeIter;
319
320 fn into_iter(self) -> TokenTreeIter {
321 self.take_inner().into_iter()
322 }
323}
324
325#[cfg(all(span_locations, not(fuzzing)))]
326const SOURCE_MAP: ::std::thread::LocalKey<RefCell<SourceMap>> =
{
#[inline]
fn __rust_std_internal_init_fn() -> RefCell<SourceMap> {
RefCell::new(SourceMap {
files: <[_]>::into_vec(::alloc::boxed::box_new([FileInfo {
source_text: String::new(),
span: Span { lo: 0, hi: 0 },
lines: <[_]>::into_vec(::alloc::boxed::box_new([0])),
char_index_to_byte_offset: BTreeMap::new(),
}])),
})
}
unsafe {
::std::thread::LocalKey::new(const {
if ::std::mem::needs_drop::<RefCell<SourceMap>>() {
|__rust_std_internal_init|
{
#[thread_local]
static __RUST_STD_INTERNAL_VAL:
::std::thread::local_impl::LazyStorage<RefCell<SourceMap>,
()> =
::std::thread::local_impl::LazyStorage::new();
__RUST_STD_INTERNAL_VAL.get_or_init(__rust_std_internal_init,
__rust_std_internal_init_fn)
}
} else {
|__rust_std_internal_init|
{
#[thread_local]
static __RUST_STD_INTERNAL_VAL:
::std::thread::local_impl::LazyStorage<RefCell<SourceMap>,
!> =
::std::thread::local_impl::LazyStorage::new();
__RUST_STD_INTERNAL_VAL.get_or_init(__rust_std_internal_init,
__rust_std_internal_init_fn)
}
}
})
}
};thread_local! {
327 static SOURCE_MAP: RefCell<SourceMap> = RefCell::new(SourceMap {
328 files: vec![FileInfo {
331 source_text: String::new(),
332 span: Span { lo: 0, hi: 0 },
333 lines: vec![0],
334 char_index_to_byte_offset: BTreeMap::new(),
335 }],
336 });
337}
338
339#[cfg(span_locations)]
340pub(crate) fn invalidate_current_thread_spans() {
341 #[cfg(not(fuzzing))]
342 SOURCE_MAP.with(|sm| sm.borrow_mut().files.truncate(1));
343}
344
345#[cfg(all(span_locations, not(fuzzing)))]
346struct FileInfo {
347 source_text: String,
348 span: Span,
349 lines: Vec<usize>,
350 char_index_to_byte_offset: BTreeMap<usize, usize>,
351}
352
353#[cfg(all(span_locations, not(fuzzing)))]
354impl FileInfo {
355 fn offset_line_column(&self, offset: usize) -> LineColumn {
356 if !self.span_within(Span { lo: offset as u32, hi: offset as u32 }) {
::core::panicking::panic("assertion failed: self.span_within(Span { lo: offset as u32, hi: offset as u32 })")
};assert!(self.span_within(Span {
357 lo: offset as u32,
358 hi: offset as u32,
359 }));
360 let offset = offset - self.span.lo as usize;
361 match self.lines.binary_search(&offset) {
362 Ok(found) => LineColumn {
363 line: found + 1,
364 column: 0,
365 },
366 Err(idx) => LineColumn {
367 line: idx,
368 column: offset - self.lines[idx - 1],
369 },
370 }
371 }
372
373 fn span_within(&self, span: Span) -> bool {
374 span.lo >= self.span.lo && span.hi <= self.span.hi
375 }
376
377 fn byte_range(&mut self, span: Span) -> Range<usize> {
378 self.byte(span.lo)..self.byte(span.hi)
379 }
380
381 fn byte(&mut self, ch: u32) -> usize {
382 let char_index = (ch - self.span.lo) as usize;
383
384 let (&previous_char_index, &previous_byte_offset) = self
387 .char_index_to_byte_offset
388 .range(..=char_index)
389 .next_back()
390 .unwrap_or((&0, &0));
391
392 if previous_char_index == char_index {
393 return previous_byte_offset;
394 }
395
396 let byte_offset = match self.char_index_to_byte_offset.range(char_index..).next() {
399 Some((&next_char_index, &next_byte_offset))
400 if next_char_index - char_index < char_index - previous_char_index =>
401 {
402 self.source_text[..next_byte_offset]
403 .char_indices()
404 .nth_back(next_char_index - char_index - 1)
405 .unwrap()
406 .0
407 }
408 _ => {
409 match self.source_text[previous_byte_offset..]
410 .char_indices()
411 .nth(char_index - previous_char_index)
412 {
413 Some((byte_offset_from_previous, _ch)) => {
414 previous_byte_offset + byte_offset_from_previous
415 }
416 None => self.source_text.len(),
417 }
418 }
419 };
420
421 self.char_index_to_byte_offset
422 .insert(char_index, byte_offset);
423 byte_offset
424 }
425
426 fn source_text(&mut self, span: Span) -> String {
427 let byte_range = self.byte_range(span);
428 self.source_text[byte_range].to_owned()
429 }
430}
431
432#[cfg(all(span_locations, not(fuzzing)))]
435fn lines_offsets(s: &str) -> (usize, Vec<usize>) {
436 let mut lines = <[_]>::into_vec(::alloc::boxed::box_new([0]))vec![0];
437 let mut total = 0;
438
439 for ch in s.chars() {
440 total += 1;
441 if ch == '\n' {
442 lines.push(total);
443 }
444 }
445
446 (total, lines)
447}
448
449#[cfg(all(span_locations, not(fuzzing)))]
450struct SourceMap {
451 files: Vec<FileInfo>,
452}
453
454#[cfg(all(span_locations, not(fuzzing)))]
455impl SourceMap {
456 fn next_start_pos(&self) -> u32 {
457 self.files.last().unwrap().span.hi + 1
462 }
463
464 fn add_file(&mut self, src: &str) -> Span {
465 let (len, lines) = lines_offsets(src);
466 let lo = self.next_start_pos();
467 let span = Span {
468 lo,
469 hi: lo + (len as u32),
470 };
471
472 self.files.push(FileInfo {
473 source_text: src.to_owned(),
474 span,
475 lines,
476 char_index_to_byte_offset: BTreeMap::new(),
478 });
479
480 span
481 }
482
483 fn find(&self, span: Span) -> usize {
484 match self.files.binary_search_by(|file| {
485 if file.span.hi < span.lo {
486 Ordering::Less
487 } else if file.span.lo > span.hi {
488 Ordering::Greater
489 } else {
490 if !file.span_within(span) {
::core::panicking::panic("assertion failed: file.span_within(span)")
};assert!(file.span_within(span));
491 Ordering::Equal
492 }
493 }) {
494 Ok(i) => i,
495 Err(_) => {
::core::panicking::panic_fmt(format_args!("internal error: entered unreachable code: {0}",
format_args!("Invalid span with no related FileInfo!")));
}unreachable!("Invalid span with no related FileInfo!"),
496 }
497 }
498
499 fn filepath(&self, span: Span) -> String {
500 let i = self.find(span);
501 if i == 0 {
502 "<unspecified>".to_owned()
503 } else {
504 ::alloc::__export::must_use({
::alloc::fmt::format(format_args!("<parsed string {0}>", i))
})format!("<parsed string {}>", i)
505 }
506 }
507
508 fn fileinfo(&self, span: Span) -> &FileInfo {
509 let i = self.find(span);
510 &self.files[i]
511 }
512
513 fn fileinfo_mut(&mut self, span: Span) -> &mut FileInfo {
514 let i = self.find(span);
515 &mut self.files[i]
516 }
517}
518
519#[derive(#[automatically_derived]
impl ::core::clone::Clone for Span {
#[inline]
fn clone(&self) -> Span {
let _: ::core::clone::AssertParamIsClone<u32>;
*self
}
}Clone, #[automatically_derived]
impl ::core::marker::Copy for Span { }Copy, #[automatically_derived]
impl ::core::cmp::PartialEq for Span {
#[inline]
fn eq(&self, other: &Span) -> bool {
self.lo == other.lo && self.hi == other.hi
}
}PartialEq, #[automatically_derived]
impl ::core::cmp::Eq for Span {
#[inline]
#[doc(hidden)]
#[coverage(off)]
fn assert_receiver_is_total_eq(&self) -> () {
let _: ::core::cmp::AssertParamIsEq<u32>;
}
}Eq)]
520pub(crate) struct Span {
521 #[cfg(span_locations)]
522 pub(crate) lo: u32,
523 #[cfg(span_locations)]
524 pub(crate) hi: u32,
525}
526
527impl Span {
528 #[cfg(not(span_locations))]
529 pub(crate) fn call_site() -> Self {
530 Span {}
531 }
532
533 #[cfg(span_locations)]
534 pub(crate) fn call_site() -> Self {
535 Span { lo: 0, hi: 0 }
536 }
537
538 pub(crate) fn mixed_site() -> Self {
539 Span::call_site()
540 }
541
542 #[cfg(procmacro2_semver_exempt)]
543 pub(crate) fn def_site() -> Self {
544 Span::call_site()
545 }
546
547 pub(crate) fn resolved_at(&self, _other: Span) -> Span {
548 *self
552 }
553
554 pub(crate) fn located_at(&self, other: Span) -> Span {
555 other
556 }
557
558 #[cfg(span_locations)]
559 pub(crate) fn byte_range(&self) -> Range<usize> {
560 #[cfg(fuzzing)]
561 return 0..0;
562
563 #[cfg(not(fuzzing))]
564 {
565 if self.is_call_site() {
566 0..0
567 } else {
568 SOURCE_MAP.with(|sm| sm.borrow_mut().fileinfo_mut(*self).byte_range(*self))
569 }
570 }
571 }
572
573 #[cfg(span_locations)]
574 pub(crate) fn start(&self) -> LineColumn {
575 #[cfg(fuzzing)]
576 return LineColumn { line: 0, column: 0 };
577
578 #[cfg(not(fuzzing))]
579 SOURCE_MAP.with(|sm| {
580 let sm = sm.borrow();
581 let fi = sm.fileinfo(*self);
582 fi.offset_line_column(self.lo as usize)
583 })
584 }
585
586 #[cfg(span_locations)]
587 pub(crate) fn end(&self) -> LineColumn {
588 #[cfg(fuzzing)]
589 return LineColumn { line: 0, column: 0 };
590
591 #[cfg(not(fuzzing))]
592 SOURCE_MAP.with(|sm| {
593 let sm = sm.borrow();
594 let fi = sm.fileinfo(*self);
595 fi.offset_line_column(self.hi as usize)
596 })
597 }
598
599 #[cfg(span_locations)]
600 pub(crate) fn file(&self) -> String {
601 #[cfg(fuzzing)]
602 return "<unspecified>".to_owned();
603
604 #[cfg(not(fuzzing))]
605 SOURCE_MAP.with(|sm| {
606 let sm = sm.borrow();
607 sm.filepath(*self)
608 })
609 }
610
611 #[cfg(span_locations)]
612 pub(crate) fn local_file(&self) -> Option<PathBuf> {
613 None
614 }
615
616 #[cfg(not(span_locations))]
617 pub(crate) fn join(&self, _other: Span) -> Option<Span> {
618 Some(Span {})
619 }
620
621 #[cfg(span_locations)]
622 pub(crate) fn join(&self, other: Span) -> Option<Span> {
623 #[cfg(fuzzing)]
624 return {
625 let _ = other;
626 None
627 };
628
629 #[cfg(not(fuzzing))]
630 SOURCE_MAP.with(|sm| {
631 let sm = sm.borrow();
632 if !sm.fileinfo(*self).span_within(other) {
634 return None;
635 }
636 Some(Span {
637 lo: cmp::min(self.lo, other.lo),
638 hi: cmp::max(self.hi, other.hi),
639 })
640 })
641 }
642
643 #[cfg(not(span_locations))]
644 pub(crate) fn source_text(&self) -> Option<String> {
645 None
646 }
647
648 #[cfg(span_locations)]
649 pub(crate) fn source_text(&self) -> Option<String> {
650 #[cfg(fuzzing)]
651 return None;
652
653 #[cfg(not(fuzzing))]
654 {
655 if self.is_call_site() {
656 None
657 } else {
658 Some(SOURCE_MAP.with(|sm| sm.borrow_mut().fileinfo_mut(*self).source_text(*self)))
659 }
660 }
661 }
662
663 #[cfg(not(span_locations))]
664 pub(crate) fn first_byte(self) -> Self {
665 self
666 }
667
668 #[cfg(span_locations)]
669 pub(crate) fn first_byte(self) -> Self {
670 Span {
671 lo: self.lo,
672 hi: cmp::min(self.lo.saturating_add(1), self.hi),
673 }
674 }
675
676 #[cfg(not(span_locations))]
677 pub(crate) fn last_byte(self) -> Self {
678 self
679 }
680
681 #[cfg(span_locations)]
682 pub(crate) fn last_byte(self) -> Self {
683 Span {
684 lo: cmp::max(self.hi.saturating_sub(1), self.lo),
685 hi: self.hi,
686 }
687 }
688
689 #[cfg(span_locations)]
690 fn is_call_site(&self) -> bool {
691 self.lo == 0 && self.hi == 0
692 }
693}
694
695impl Debug for Span {
696 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
697 #[cfg(span_locations)]
698 return f.write_fmt(format_args!("bytes({0}..{1})", self.lo, self.hi))write!(f, "bytes({}..{})", self.lo, self.hi);
699
700 #[cfg(not(span_locations))]
701 write!(f, "Span")
702 }
703}
704
705pub(crate) fn debug_span_field_if_nontrivial(debug: &mut fmt::DebugStruct, span: Span) {
706 #[cfg(span_locations)]
707 {
708 if span.is_call_site() {
709 return;
710 }
711 }
712
713 if truecfg!(span_locations) {
714 debug.field("span", &span);
715 }
716}
717
718#[derive(#[automatically_derived]
impl ::core::clone::Clone for Group {
#[inline]
fn clone(&self) -> Group {
Group {
delimiter: ::core::clone::Clone::clone(&self.delimiter),
stream: ::core::clone::Clone::clone(&self.stream),
span: ::core::clone::Clone::clone(&self.span),
}
}
}Clone)]
719pub(crate) struct Group {
720 delimiter: Delimiter,
721 stream: TokenStream,
722 span: Span,
723}
724
725impl Group {
726 pub(crate) fn new(delimiter: Delimiter, stream: TokenStream) -> Self {
727 Group {
728 delimiter,
729 stream,
730 span: Span::call_site(),
731 }
732 }
733
734 pub(crate) fn delimiter(&self) -> Delimiter {
735 self.delimiter
736 }
737
738 pub(crate) fn stream(&self) -> TokenStream {
739 self.stream.clone()
740 }
741
742 pub(crate) fn span(&self) -> Span {
743 self.span
744 }
745
746 pub(crate) fn span_open(&self) -> Span {
747 self.span.first_byte()
748 }
749
750 pub(crate) fn span_close(&self) -> Span {
751 self.span.last_byte()
752 }
753
754 pub(crate) fn set_span(&mut self, span: Span) {
755 self.span = span;
756 }
757}
758
759impl Display for Group {
760 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
768 let (open, close) = match self.delimiter {
769 Delimiter::Parenthesis => ("(", ")"),
770 Delimiter::Brace => ("{ ", "}"),
771 Delimiter::Bracket => ("[", "]"),
772 Delimiter::None => ("", ""),
773 };
774
775 f.write_str(open)?;
776 Display::fmt(&self.stream, f)?;
777 if self.delimiter == Delimiter::Brace && !self.stream.inner.is_empty() {
778 f.write_str(" ")?;
779 }
780 f.write_str(close)?;
781
782 Ok(())
783 }
784}
785
786impl Debug for Group {
787 fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
788 let mut debug = fmt.debug_struct("Group");
789 debug.field("delimiter", &self.delimiter);
790 debug.field("stream", &self.stream);
791 debug_span_field_if_nontrivial(&mut debug, self.span);
792 debug.finish()
793 }
794}
795
796#[derive(#[automatically_derived]
impl ::core::clone::Clone for Ident {
#[inline]
fn clone(&self) -> Ident {
Ident {
sym: ::core::clone::Clone::clone(&self.sym),
span: ::core::clone::Clone::clone(&self.span),
raw: ::core::clone::Clone::clone(&self.raw),
}
}
}Clone)]
797pub(crate) struct Ident {
798 sym: Box<str>,
799 span: Span,
800 raw: bool,
801}
802
803impl Ident {
804 #[track_caller]
805 pub(crate) fn new_checked(string: &str, span: Span) -> Self {
806 validate_ident(string);
807 Ident::new_unchecked(string, span)
808 }
809
810 pub(crate) fn new_unchecked(string: &str, span: Span) -> Self {
811 Ident {
812 sym: Box::from(string),
813 span,
814 raw: false,
815 }
816 }
817
818 #[track_caller]
819 pub(crate) fn new_raw_checked(string: &str, span: Span) -> Self {
820 validate_ident_raw(string);
821 Ident::new_raw_unchecked(string, span)
822 }
823
824 pub(crate) fn new_raw_unchecked(string: &str, span: Span) -> Self {
825 Ident {
826 sym: Box::from(string),
827 span,
828 raw: true,
829 }
830 }
831
832 pub(crate) fn span(&self) -> Span {
833 self.span
834 }
835
836 pub(crate) fn set_span(&mut self, span: Span) {
837 self.span = span;
838 }
839}
840
841pub(crate) fn is_ident_start(c: char) -> bool {
842 c == '_' || unicode_ident::is_xid_start(c)
843}
844
845pub(crate) fn is_ident_continue(c: char) -> bool {
846 unicode_ident::is_xid_continue(c)
847}
848
849#[track_caller]
850fn validate_ident(string: &str) {
851 if string.is_empty() {
852 {
::core::panicking::panic_fmt(format_args!("Ident is not allowed to be empty; use Option<Ident>"));
};panic!("Ident is not allowed to be empty; use Option<Ident>");
853 }
854
855 if string.bytes().all(|digit| b'0' <= digit && digit <= b'9') {
856 {
::core::panicking::panic_fmt(format_args!("Ident cannot be a number; use Literal instead"));
};panic!("Ident cannot be a number; use Literal instead");
857 }
858
859 fn ident_ok(string: &str) -> bool {
860 let mut chars = string.chars();
861 let first = chars.next().unwrap();
862 if !is_ident_start(first) {
863 return false;
864 }
865 for ch in chars {
866 if !is_ident_continue(ch) {
867 return false;
868 }
869 }
870 true
871 }
872
873 if !ident_ok(string) {
874 {
::core::panicking::panic_fmt(format_args!("{0:?} is not a valid Ident",
string));
};panic!("{:?} is not a valid Ident", string);
875 }
876}
877
878#[track_caller]
879fn validate_ident_raw(string: &str) {
880 validate_ident(string);
881
882 match string {
883 "_" | "super" | "self" | "Self" | "crate" => {
884 {
::core::panicking::panic_fmt(format_args!("`r#{0}` cannot be a raw identifier",
string));
};panic!("`r#{}` cannot be a raw identifier", string);
885 }
886 _ => {}
887 }
888}
889
890impl PartialEq for Ident {
891 fn eq(&self, other: &Ident) -> bool {
892 self.sym == other.sym && self.raw == other.raw
893 }
894}
895
896impl<T> PartialEq<T> for Ident
897where
898 T: ?Sized + AsRef<str>,
899{
900 fn eq(&self, other: &T) -> bool {
901 let other = other.as_ref();
902 if self.raw {
903 other.starts_with("r#") && *self.sym == other[2..]
904 } else {
905 *self.sym == *other
906 }
907 }
908}
909
910impl Display for Ident {
911 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
912 if self.raw {
913 f.write_str("r#")?;
914 }
915 f.write_str(&self.sym)
916 }
917}
918
919#[allow(clippy::missing_fields_in_debug)]
920impl Debug for Ident {
921 #[cfg(not(span_locations))]
923 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
924 let mut debug = f.debug_tuple("Ident");
925 debug.field(&format_args!("{}", self));
926 debug.finish()
927 }
928
929 #[cfg(span_locations)]
934 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
935 let mut debug = f.debug_struct("Ident");
936 debug.field("sym", &format_args!("{0}", self)format_args!("{}", self));
937 debug_span_field_if_nontrivial(&mut debug, self.span);
938 debug.finish()
939 }
940}
941
942#[derive(#[automatically_derived]
impl ::core::clone::Clone for Literal {
#[inline]
fn clone(&self) -> Literal {
Literal {
repr: ::core::clone::Clone::clone(&self.repr),
span: ::core::clone::Clone::clone(&self.span),
}
}
}Clone)]
943pub(crate) struct Literal {
944 pub(crate) repr: String,
945 span: Span,
946}
947
948macro_rules! suffixed_numbers {
949 ($($name:ident => $kind:ident,)*) => ($(
950 pub(crate) fn $name(n: $kind) -> Literal {
951 Literal::_new(format!(concat!("{}", stringify!($kind)), n))
952 }
953 )*)
954}
955
956macro_rules! unsuffixed_numbers {
957 ($($name:ident => $kind:ident,)*) => ($(
958 pub(crate) fn $name(n: $kind) -> Literal {
959 Literal::_new(n.to_string())
960 }
961 )*)
962}
963
964impl Literal {
965 pub(crate) fn _new(repr: String) -> Self {
966 Literal {
967 repr,
968 span: Span::call_site(),
969 }
970 }
971
972 pub(crate) fn from_str_checked(repr: &str) -> Result<Self, LexError> {
973 let mut cursor = get_cursor(repr);
974 #[cfg(span_locations)]
975 let lo = cursor.off;
976
977 let negative = cursor.starts_with_char('-');
978 if negative {
979 cursor = cursor.advance(1);
980 if !cursor.starts_with_fn(|ch| ch.is_ascii_digit()) {
981 return Err(LexError::call_site());
982 }
983 }
984
985 if let Ok((rest, mut literal)) = parse::literal(cursor) {
986 if rest.is_empty() {
987 if negative {
988 literal.repr.insert(0, '-');
989 }
990 literal.span = Span {
991 #[cfg(span_locations)]
992 lo,
993 #[cfg(span_locations)]
994 hi: rest.off,
995 };
996 return Ok(literal);
997 }
998 }
999 Err(LexError::call_site())
1000 }
1001
1002 pub(crate) unsafe fn from_str_unchecked(repr: &str) -> Self {
1003 Literal::_new(repr.to_owned())
1004 }
1005
1006 n
Literal
Literal::_new(::alloc::__export::must_use({
::alloc::fmt::format(format_args!("{0}f64", n))
}));suffixed_numbers! {
1007 u8_suffixed => u8,
1008 u16_suffixed => u16,
1009 u32_suffixed => u32,
1010 u64_suffixed => u64,
1011 u128_suffixed => u128,
1012 usize_suffixed => usize,
1013 i8_suffixed => i8,
1014 i16_suffixed => i16,
1015 i32_suffixed => i32,
1016 i64_suffixed => i64,
1017 i128_suffixed => i128,
1018 isize_suffixed => isize,
1019
1020 f32_suffixed => f32,
1021 f64_suffixed => f64,
1022 }
1023
1024 n
Literal
Literal::_new(n.to_string());unsuffixed_numbers! {
1025 u8_unsuffixed => u8,
1026 u16_unsuffixed => u16,
1027 u32_unsuffixed => u32,
1028 u64_unsuffixed => u64,
1029 u128_unsuffixed => u128,
1030 usize_unsuffixed => usize,
1031 i8_unsuffixed => i8,
1032 i16_unsuffixed => i16,
1033 i32_unsuffixed => i32,
1034 i64_unsuffixed => i64,
1035 i128_unsuffixed => i128,
1036 isize_unsuffixed => isize,
1037 }
1038
1039 pub(crate) fn f32_unsuffixed(f: f32) -> Literal {
1040 let mut s = f.to_string();
1041 if !s.contains('.') {
1042 s.push_str(".0");
1043 }
1044 Literal::_new(s)
1045 }
1046
1047 pub(crate) fn f64_unsuffixed(f: f64) -> Literal {
1048 let mut s = f.to_string();
1049 if !s.contains('.') {
1050 s.push_str(".0");
1051 }
1052 Literal::_new(s)
1053 }
1054
1055 pub(crate) fn string(string: &str) -> Literal {
1056 let mut repr = String::with_capacity(string.len() + 2);
1057 repr.push('"');
1058 escape_utf8(string, &mut repr);
1059 repr.push('"');
1060 Literal::_new(repr)
1061 }
1062
1063 pub(crate) fn character(ch: char) -> Literal {
1064 let mut repr = String::new();
1065 repr.push('\'');
1066 if ch == '"' {
1067 repr.push(ch);
1069 } else {
1070 repr.extend(ch.escape_debug());
1071 }
1072 repr.push('\'');
1073 Literal::_new(repr)
1074 }
1075
1076 pub(crate) fn byte_character(byte: u8) -> Literal {
1077 let mut repr = "b'".to_string();
1078 #[allow(clippy::match_overlapping_arm)]
1079 match byte {
1080 b'\0' => repr.push_str(r"\0"),
1081 b'\t' => repr.push_str(r"\t"),
1082 b'\n' => repr.push_str(r"\n"),
1083 b'\r' => repr.push_str(r"\r"),
1084 b'\'' => repr.push_str(r"\'"),
1085 b'\\' => repr.push_str(r"\\"),
1086 b'\x20'..=b'\x7E' => repr.push(byte as char),
1087 _ => {
1088 let _ = repr.write_fmt(format_args!("\\x{0:02X}", byte))write!(repr, r"\x{:02X}", byte);
1089 }
1090 }
1091 repr.push('\'');
1092 Literal::_new(repr)
1093 }
1094
1095 pub(crate) fn byte_string(bytes: &[u8]) -> Literal {
1096 let mut repr = "b\"".to_string();
1097 let mut bytes = bytes.iter();
1098 while let Some(&b) = bytes.next() {
1099 #[allow(clippy::match_overlapping_arm)]
1100 match b {
1101 b'\0' => repr.push_str(match bytes.as_slice().first() {
1102 Some(b'0'..=b'7') => r"\x00",
1104 _ => r"\0",
1105 }),
1106 b'\t' => repr.push_str(r"\t"),
1107 b'\n' => repr.push_str(r"\n"),
1108 b'\r' => repr.push_str(r"\r"),
1109 b'"' => repr.push_str("\\\""),
1110 b'\\' => repr.push_str(r"\\"),
1111 b'\x20'..=b'\x7E' => repr.push(b as char),
1112 _ => {
1113 let _ = repr.write_fmt(format_args!("\\x{0:02X}", b))write!(repr, r"\x{:02X}", b);
1114 }
1115 }
1116 }
1117 repr.push('"');
1118 Literal::_new(repr)
1119 }
1120
1121 pub(crate) fn c_string(string: &CStr) -> Literal {
1122 let mut repr = "c\"".to_string();
1123 let mut bytes = string.to_bytes();
1124 while !bytes.is_empty() {
1125 let (valid, invalid) = match str::from_utf8(bytes) {
1126 Ok(all_valid) => {
1127 bytes = b"";
1128 (all_valid, bytes)
1129 }
1130 Err(utf8_error) => {
1131 let (valid, rest) = bytes.split_at(utf8_error.valid_up_to());
1132 let valid = str::from_utf8(valid).unwrap();
1133 let invalid = utf8_error
1134 .error_len()
1135 .map_or(rest, |error_len| &rest[..error_len]);
1136 bytes = &bytes[valid.len() + invalid.len()..];
1137 (valid, invalid)
1138 }
1139 };
1140 escape_utf8(valid, &mut repr);
1141 for &byte in invalid {
1142 let _ = repr.write_fmt(format_args!("\\x{0:02X}", byte))write!(repr, r"\x{:02X}", byte);
1143 }
1144 }
1145 repr.push('"');
1146 Literal::_new(repr)
1147 }
1148
1149 pub(crate) fn span(&self) -> Span {
1150 self.span
1151 }
1152
1153 pub(crate) fn set_span(&mut self, span: Span) {
1154 self.span = span;
1155 }
1156
1157 pub(crate) fn subspan<R: RangeBounds<usize>>(&self, range: R) -> Option<Span> {
1158 #[cfg(not(span_locations))]
1159 {
1160 let _ = range;
1161 None
1162 }
1163
1164 #[cfg(span_locations)]
1165 {
1166 use core::ops::Bound;
1167
1168 let lo = match range.start_bound() {
1169 Bound::Included(start) => {
1170 let start = u32::try_from(*start).ok()?;
1171 self.span.lo.checked_add(start)?
1172 }
1173 Bound::Excluded(start) => {
1174 let start = u32::try_from(*start).ok()?;
1175 self.span.lo.checked_add(start)?.checked_add(1)?
1176 }
1177 Bound::Unbounded => self.span.lo,
1178 };
1179 let hi = match range.end_bound() {
1180 Bound::Included(end) => {
1181 let end = u32::try_from(*end).ok()?;
1182 self.span.lo.checked_add(end)?.checked_add(1)?
1183 }
1184 Bound::Excluded(end) => {
1185 let end = u32::try_from(*end).ok()?;
1186 self.span.lo.checked_add(end)?
1187 }
1188 Bound::Unbounded => self.span.hi,
1189 };
1190 if lo <= hi && hi <= self.span.hi {
1191 Some(Span { lo, hi })
1192 } else {
1193 None
1194 }
1195 }
1196 }
1197}
1198
1199impl Display for Literal {
1200 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1201 Display::fmt(&self.repr, f)
1202 }
1203}
1204
1205impl Debug for Literal {
1206 fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
1207 let mut debug = fmt.debug_struct("Literal");
1208 debug.field("lit", &format_args!("{0}", self.repr)format_args!("{}", self.repr));
1209 debug_span_field_if_nontrivial(&mut debug, self.span);
1210 debug.finish()
1211 }
1212}
1213
1214fn escape_utf8(string: &str, repr: &mut String) {
1215 let mut chars = string.chars();
1216 while let Some(ch) = chars.next() {
1217 if ch == '\0' {
1218 repr.push_str(
1219 if chars
1220 .as_str()
1221 .starts_with(|next| '0' <= next && next <= '7')
1222 {
1223 r"\x00"
1225 } else {
1226 r"\0"
1227 },
1228 );
1229 } else if ch == '\'' {
1230 repr.push(ch);
1232 } else {
1233 repr.extend(ch.escape_debug());
1234 }
1235 }
1236}
1237
1238#[cfg(feature = "proc-macro")]
1239pub(crate) trait FromStr2: FromStr<Err = proc_macro::LexError> {
1240 #[cfg(wrap_proc_macro)]
1241 fn valid(src: &str) -> bool;
1242
1243 #[cfg(wrap_proc_macro)]
1244 fn from_str_checked(src: &str) -> Result<Self, imp::LexError> {
1245 if !Self::valid(src) {
1249 return Err(imp::LexError::CompilerPanic);
1250 }
1251
1252 match panic::catch_unwind(|| Self::from_str(src)) {
1254 Ok(Ok(ok)) => Ok(ok),
1255 Ok(Err(lex)) => Err(imp::LexError::Compiler(lex)),
1256 Err(_panic) => Err(imp::LexError::CompilerPanic),
1257 }
1258 }
1259
1260 fn from_str_unchecked(src: &str) -> Self {
1261 Self::from_str(src).unwrap()
1262 }
1263}
1264
1265#[cfg(feature = "proc-macro")]
1266impl FromStr2 for proc_macro::TokenStream {
1267 #[cfg(wrap_proc_macro)]
1268 fn valid(src: &str) -> bool {
1269 TokenStream::from_str_checked(src).is_ok()
1270 }
1271}
1272
1273#[cfg(feature = "proc-macro")]
1274impl FromStr2 for proc_macro::Literal {
1275 #[cfg(wrap_proc_macro)]
1276 fn valid(src: &str) -> bool {
1277 Literal::from_str_checked(src).is_ok()
1278 }
1279}