]> git.lizzy.rs Git - rust.git/blob - src/libsyntax/tokenstream.rs
remove implementation detail from doc
[rust.git] / src / libsyntax / tokenstream.rs
1 // Copyright 2012-2016 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! # Token Streams
12 //!
13 //! `TokenStream`s represent syntactic objects before they are converted into ASTs.
14 //! A `TokenStream` is, roughly speaking, a sequence (eg stream) of `TokenTree`s,
15 //! which are themselves a single `Token` or a `Delimited` subsequence of tokens.
16 //!
17 //! ## Ownership
18 //! `TokenStreams` are persistent data structures constructed as ropes with reference
19 //! counted-children. In general, this means that calling an operation on a `TokenStream`
20 //! (such as `slice`) produces an entirely new `TokenStream` from the borrowed reference to
21 //! the original. This essentially coerces `TokenStream`s into 'views' of their subparts,
22 //! and a borrowed `TokenStream` is sufficient to build an owned `TokenStream` without taking
23 //! ownership of the original.
24
25 use syntax_pos::{BytePos, Span, DUMMY_SP};
26 use ext::base;
27 use ext::tt::{macro_parser, quoted};
28 use parse::Directory;
29 use parse::token::{self, Token};
30 use print::pprust;
31 use serialize::{Decoder, Decodable, Encoder, Encodable};
32 use util::RcSlice;
33
34 use std::{fmt, iter, mem};
35 use std::hash::{self, Hash};
36
37 /// A delimited sequence of token trees
38 #[derive(Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash, Debug)]
39 pub struct Delimited {
40     /// The type of delimiter
41     pub delim: token::DelimToken,
42     /// The delimited sequence of token trees
43     pub tts: ThinTokenStream,
44 }
45
46 impl Delimited {
47     /// Returns the opening delimiter as a token.
48     pub fn open_token(&self) -> token::Token {
49         token::OpenDelim(self.delim)
50     }
51
52     /// Returns the closing delimiter as a token.
53     pub fn close_token(&self) -> token::Token {
54         token::CloseDelim(self.delim)
55     }
56
57     /// Returns the opening delimiter as a token tree.
58     pub fn open_tt(&self, span: Span) -> TokenTree {
59         let open_span = if span == DUMMY_SP {
60             DUMMY_SP
61         } else {
62             span.with_hi(span.lo() + BytePos(self.delim.len() as u32))
63         };
64         TokenTree::Token(open_span, self.open_token())
65     }
66
67     /// Returns the closing delimiter as a token tree.
68     pub fn close_tt(&self, span: Span) -> TokenTree {
69         let close_span = if span == DUMMY_SP {
70             DUMMY_SP
71         } else {
72             span.with_lo(span.hi() - BytePos(self.delim.len() as u32))
73         };
74         TokenTree::Token(close_span, self.close_token())
75     }
76
77     /// Returns the token trees inside the delimiters.
78     pub fn stream(&self) -> TokenStream {
79         self.tts.clone().into()
80     }
81 }
82
83 /// When the main rust parser encounters a syntax-extension invocation, it
84 /// parses the arguments to the invocation as a token-tree. This is a very
85 /// loose structure, such that all sorts of different AST-fragments can
86 /// be passed to syntax extensions using a uniform type.
87 ///
88 /// If the syntax extension is an MBE macro, it will attempt to match its
89 /// LHS token tree against the provided token tree, and if it finds a
90 /// match, will transcribe the RHS token tree, splicing in any captured
91 /// `macro_parser::matched_nonterminals` into the `SubstNt`s it finds.
92 ///
93 /// The RHS of an MBE macro is the only place `SubstNt`s are substituted.
94 /// Nothing special happens to misnamed or misplaced `SubstNt`s.
95 #[derive(Debug, Clone, PartialEq, Eq, RustcEncodable, RustcDecodable, Hash)]
96 pub enum TokenTree {
97     /// A single token
98     Token(Span, token::Token),
99     /// A delimited sequence of token trees
100     Delimited(Span, Delimited),
101 }
102
103 impl TokenTree {
104     /// Use this token tree as a matcher to parse given tts.
105     pub fn parse(cx: &base::ExtCtxt, mtch: &[quoted::TokenTree], tts: TokenStream)
106                  -> macro_parser::NamedParseResult {
107         // `None` is because we're not interpolating
108         let directory = Directory {
109             path: cx.current_expansion.module.directory.clone(),
110             ownership: cx.current_expansion.directory_ownership,
111         };
112         macro_parser::parse(cx.parse_sess(), tts, mtch, Some(directory), true)
113     }
114
115     /// Check if this TokenTree is equal to the other, regardless of span information.
116     pub fn eq_unspanned(&self, other: &TokenTree) -> bool {
117         match (self, other) {
118             (&TokenTree::Token(_, ref tk), &TokenTree::Token(_, ref tk2)) => tk == tk2,
119             (&TokenTree::Delimited(_, ref dl), &TokenTree::Delimited(_, ref dl2)) => {
120                 dl.delim == dl2.delim &&
121                 dl.stream().trees().zip(dl2.stream().trees()).all(|(tt, tt2)| tt.eq_unspanned(&tt2))
122             }
123             (_, _) => false,
124         }
125     }
126
127     /// Retrieve the TokenTree's span.
128     pub fn span(&self) -> Span {
129         match *self {
130             TokenTree::Token(sp, _) | TokenTree::Delimited(sp, _) => sp,
131         }
132     }
133
134     /// Modify the `TokenTree`'s span inplace.
135     pub fn set_span(&mut self, span: Span) {
136         match *self {
137             TokenTree::Token(ref mut sp, _) | TokenTree::Delimited(ref mut sp, _) => {
138                 *sp = span;
139             }
140         }
141     }
142
143     /// Indicates if the stream is a token that is equal to the provided token.
144     pub fn eq_token(&self, t: Token) -> bool {
145         match *self {
146             TokenTree::Token(_, ref tk) => *tk == t,
147             _ => false,
148         }
149     }
150
151     pub fn joint(self) -> TokenStream {
152         TokenStream { kind: TokenStreamKind::JointTree(self) }
153     }
154 }
155
156 /// # Token Streams
157 ///
158 /// A `TokenStream` is an abstract sequence of tokens, organized into `TokenTree`s.
159 /// The goal is for procedural macros to work with `TokenStream`s and `TokenTree`s
160 /// instead of a representation of the abstract syntax tree.
161 /// Today's `TokenTree`s can still contain AST via `Token::Interpolated` for back-compat.
162 #[derive(Clone, Debug)]
163 pub struct TokenStream {
164     kind: TokenStreamKind,
165 }
166
167 #[derive(Clone, Debug)]
168 enum TokenStreamKind {
169     Empty,
170     Tree(TokenTree),
171     JointTree(TokenTree),
172     Stream(RcSlice<TokenStream>),
173 }
174
175 impl From<TokenTree> for TokenStream {
176     fn from(tt: TokenTree) -> TokenStream {
177         TokenStream { kind: TokenStreamKind::Tree(tt) }
178     }
179 }
180
181 impl From<Token> for TokenStream {
182     fn from(token: Token) -> TokenStream {
183         TokenTree::Token(DUMMY_SP, token).into()
184     }
185 }
186
187 impl<T: Into<TokenStream>> iter::FromIterator<T> for TokenStream {
188     fn from_iter<I: IntoIterator<Item = T>>(iter: I) -> Self {
189         TokenStream::concat(iter.into_iter().map(Into::into).collect::<Vec<_>>())
190     }
191 }
192
193 impl Eq for TokenStream {}
194
195 impl PartialEq<TokenStream> for TokenStream {
196     fn eq(&self, other: &TokenStream) -> bool {
197         self.trees().eq(other.trees())
198     }
199 }
200
201 impl TokenStream {
202     pub fn len(&self) -> usize {
203         if let TokenStreamKind::Stream(ref slice) = self.kind {
204             slice.len()
205         } else {
206             0
207         }
208     }
209
210     pub fn empty() -> TokenStream {
211         TokenStream { kind: TokenStreamKind::Empty }
212     }
213
214     pub fn is_empty(&self) -> bool {
215         match self.kind {
216             TokenStreamKind::Empty => true,
217             _ => false,
218         }
219     }
220
221     pub fn concat(mut streams: Vec<TokenStream>) -> TokenStream {
222         match streams.len() {
223             0 => TokenStream::empty(),
224             1 => streams.pop().unwrap(),
225             _ => TokenStream::concat_rc_slice(RcSlice::new(streams)),
226         }
227     }
228
229     fn concat_rc_slice(streams: RcSlice<TokenStream>) -> TokenStream {
230         TokenStream { kind: TokenStreamKind::Stream(streams) }
231     }
232
233     pub fn trees(&self) -> Cursor {
234         self.clone().into_trees()
235     }
236
237     pub fn into_trees(self) -> Cursor {
238         Cursor::new(self)
239     }
240
241     /// Compares two TokenStreams, checking equality without regarding span information.
242     pub fn eq_unspanned(&self, other: &TokenStream) -> bool {
243         for (t1, t2) in self.trees().zip(other.trees()) {
244             if !t1.eq_unspanned(&t2) {
245                 return false;
246             }
247         }
248         true
249     }
250
251     /// Precondition: `self` consists of a single token tree.
252     /// Returns true if the token tree is a joint operation w.r.t. `proc_macro::TokenNode`.
253     pub fn as_tree(self) -> (TokenTree, bool /* joint? */) {
254         match self.kind {
255             TokenStreamKind::Tree(tree) => (tree, false),
256             TokenStreamKind::JointTree(tree) => (tree, true),
257             _ => unreachable!(),
258         }
259     }
260
261     pub fn map_enumerated<F: FnMut(usize, TokenTree) -> TokenTree>(self, mut f: F) -> TokenStream {
262         let mut trees = self.into_trees();
263         let mut result = Vec::new();
264         let mut i = 0;
265         while let Some(stream) = trees.next_as_stream() {
266             result.push(match stream.kind {
267                 TokenStreamKind::Tree(tree) => f(i, tree).into(),
268                 TokenStreamKind::JointTree(tree) => f(i, tree).joint(),
269                 _ => unreachable!()
270             });
271             i += 1;
272         }
273         TokenStream::concat(result)
274     }
275
276     pub fn map<F: FnMut(TokenTree) -> TokenTree>(self, mut f: F) -> TokenStream {
277         let mut trees = self.into_trees();
278         let mut result = Vec::new();
279         while let Some(stream) = trees.next_as_stream() {
280             result.push(match stream.kind {
281                 TokenStreamKind::Tree(tree) => f(tree).into(),
282                 TokenStreamKind::JointTree(tree) => f(tree).joint(),
283                 _ => unreachable!()
284             });
285         }
286         TokenStream::concat(result)
287     }
288
289     fn first_tree(&self) -> Option<TokenTree> {
290         match self.kind {
291             TokenStreamKind::Empty => None,
292             TokenStreamKind::Tree(ref tree) |
293             TokenStreamKind::JointTree(ref tree) => Some(tree.clone()),
294             TokenStreamKind::Stream(ref stream) => stream.first().unwrap().first_tree(),
295         }
296     }
297
298     fn last_tree_if_joint(&self) -> Option<TokenTree> {
299         match self.kind {
300             TokenStreamKind::Empty | TokenStreamKind::Tree(..) => None,
301             TokenStreamKind::JointTree(ref tree) => Some(tree.clone()),
302             TokenStreamKind::Stream(ref stream) => stream.last().unwrap().last_tree_if_joint(),
303         }
304     }
305 }
306
307 pub struct TokenStreamBuilder(Vec<TokenStream>);
308
309 impl TokenStreamBuilder {
310     pub fn new() -> TokenStreamBuilder {
311         TokenStreamBuilder(Vec::new())
312     }
313
314     pub fn push<T: Into<TokenStream>>(&mut self, stream: T) {
315         let stream = stream.into();
316         let last_tree_if_joint = self.0.last().and_then(TokenStream::last_tree_if_joint);
317         if let Some(TokenTree::Token(last_span, last_tok)) = last_tree_if_joint {
318             if let Some(TokenTree::Token(span, tok)) = stream.first_tree() {
319                 if let Some(glued_tok) = last_tok.glue(tok) {
320                     let last_stream = self.0.pop().unwrap();
321                     self.push_all_but_last_tree(&last_stream);
322                     let glued_span = last_span.to(span);
323                     self.0.push(TokenTree::Token(glued_span, glued_tok).into());
324                     self.push_all_but_first_tree(&stream);
325                     return
326                 }
327             }
328         }
329         self.0.push(stream);
330     }
331
332     pub fn add<T: Into<TokenStream>>(mut self, stream: T) -> Self {
333         self.push(stream);
334         self
335     }
336
337     pub fn build(self) -> TokenStream {
338         TokenStream::concat(self.0)
339     }
340
341     fn push_all_but_last_tree(&mut self, stream: &TokenStream) {
342         if let TokenStreamKind::Stream(ref streams) = stream.kind {
343             let len = streams.len();
344             match len {
345                 1 => {}
346                 2 => self.0.push(streams[0].clone().into()),
347                 _ => self.0.push(TokenStream::concat_rc_slice(streams.sub_slice(0 .. len - 1))),
348             }
349             self.push_all_but_last_tree(&streams[len - 1])
350         }
351     }
352
353     fn push_all_but_first_tree(&mut self, stream: &TokenStream) {
354         if let TokenStreamKind::Stream(ref streams) = stream.kind {
355             let len = streams.len();
356             match len {
357                 1 => {}
358                 2 => self.0.push(streams[1].clone().into()),
359                 _ => self.0.push(TokenStream::concat_rc_slice(streams.sub_slice(1 .. len))),
360             }
361             self.push_all_but_first_tree(&streams[0])
362         }
363     }
364 }
365
366 #[derive(Clone)]
367 pub struct Cursor(CursorKind);
368
369 #[derive(Clone)]
370 enum CursorKind {
371     Empty,
372     Tree(TokenTree, bool /* consumed? */),
373     JointTree(TokenTree, bool /* consumed? */),
374     Stream(StreamCursor),
375 }
376
377 #[derive(Clone)]
378 struct StreamCursor {
379     stream: RcSlice<TokenStream>,
380     index: usize,
381     stack: Vec<(RcSlice<TokenStream>, usize)>,
382 }
383
384 impl StreamCursor {
385     fn new(stream: RcSlice<TokenStream>) -> Self {
386         StreamCursor { stream: stream, index: 0, stack: Vec::new() }
387     }
388
389     fn next_as_stream(&mut self) -> Option<TokenStream> {
390         loop {
391             if self.index < self.stream.len() {
392                 self.index += 1;
393                 let next = self.stream[self.index - 1].clone();
394                 match next.kind {
395                     TokenStreamKind::Tree(..) | TokenStreamKind::JointTree(..) => return Some(next),
396                     TokenStreamKind::Stream(stream) => self.insert(stream),
397                     TokenStreamKind::Empty => {}
398                 }
399             } else if let Some((stream, index)) = self.stack.pop() {
400                 self.stream = stream;
401                 self.index = index;
402             } else {
403                 return None;
404             }
405         }
406     }
407
408     fn insert(&mut self, stream: RcSlice<TokenStream>) {
409         self.stack.push((mem::replace(&mut self.stream, stream),
410                          mem::replace(&mut self.index, 0)));
411     }
412 }
413
414 impl Iterator for Cursor {
415     type Item = TokenTree;
416
417     fn next(&mut self) -> Option<TokenTree> {
418         self.next_as_stream().map(|stream| match stream.kind {
419             TokenStreamKind::Tree(tree) | TokenStreamKind::JointTree(tree) => tree,
420             _ => unreachable!()
421         })
422     }
423 }
424
425 impl Cursor {
426     fn new(stream: TokenStream) -> Self {
427         Cursor(match stream.kind {
428             TokenStreamKind::Empty => CursorKind::Empty,
429             TokenStreamKind::Tree(tree) => CursorKind::Tree(tree, false),
430             TokenStreamKind::JointTree(tree) => CursorKind::JointTree(tree, false),
431             TokenStreamKind::Stream(stream) => CursorKind::Stream(StreamCursor::new(stream)),
432         })
433     }
434
435     pub fn next_as_stream(&mut self) -> Option<TokenStream> {
436         let (stream, consumed) = match self.0 {
437             CursorKind::Tree(ref tree, ref mut consumed @ false) =>
438                 (tree.clone().into(), consumed),
439             CursorKind::JointTree(ref tree, ref mut consumed @ false) =>
440                 (tree.clone().joint(), consumed),
441             CursorKind::Stream(ref mut cursor) => return cursor.next_as_stream(),
442             _ => return None,
443         };
444
445         *consumed = true;
446         Some(stream)
447     }
448
449     pub fn insert(&mut self, stream: TokenStream) {
450         match self.0 {
451             _ if stream.is_empty() => return,
452             CursorKind::Empty => *self = stream.trees(),
453             CursorKind::Tree(_, consumed) | CursorKind::JointTree(_, consumed) => {
454                 *self = TokenStream::concat(vec![self.original_stream(), stream]).trees();
455                 if consumed {
456                     self.next();
457                 }
458             }
459             CursorKind::Stream(ref mut cursor) => {
460                 cursor.insert(ThinTokenStream::from(stream).0.unwrap());
461             }
462         }
463     }
464
465     pub fn original_stream(&self) -> TokenStream {
466         match self.0 {
467             CursorKind::Empty => TokenStream::empty(),
468             CursorKind::Tree(ref tree, _) => tree.clone().into(),
469             CursorKind::JointTree(ref tree, _) => tree.clone().joint(),
470             CursorKind::Stream(ref cursor) => TokenStream::concat_rc_slice({
471                 cursor.stack.get(0).cloned().map(|(stream, _)| stream)
472                     .unwrap_or(cursor.stream.clone())
473             }),
474         }
475     }
476
477     pub fn look_ahead(&self, n: usize) -> Option<TokenTree> {
478         fn look_ahead(streams: &[TokenStream], mut n: usize) -> Result<TokenTree, usize> {
479             for stream in streams {
480                 n = match stream.kind {
481                     TokenStreamKind::Tree(ref tree) | TokenStreamKind::JointTree(ref tree)
482                         if n == 0 => return Ok(tree.clone()),
483                     TokenStreamKind::Tree(..) | TokenStreamKind::JointTree(..) => n - 1,
484                     TokenStreamKind::Stream(ref stream) => match look_ahead(stream, n) {
485                         Ok(tree) => return Ok(tree),
486                         Err(n) => n,
487                     },
488                     _ => n,
489                 };
490             }
491             Err(n)
492         }
493
494         match self.0 {
495             CursorKind::Empty |
496             CursorKind::Tree(_, true) |
497             CursorKind::JointTree(_, true) => Err(n),
498             CursorKind::Tree(ref tree, false) |
499             CursorKind::JointTree(ref tree, false) => look_ahead(&[tree.clone().into()], n),
500             CursorKind::Stream(ref cursor) => {
501                 look_ahead(&cursor.stream[cursor.index ..], n).or_else(|mut n| {
502                     for &(ref stream, index) in cursor.stack.iter().rev() {
503                         n = match look_ahead(&stream[index..], n) {
504                             Ok(tree) => return Ok(tree),
505                             Err(n) => n,
506                         }
507                     }
508
509                     Err(n)
510                 })
511             }
512         }.ok()
513     }
514 }
515
516 /// The `TokenStream` type is large enough to represent a single `TokenTree` without allocation.
517 /// `ThinTokenStream` is smaller, but needs to allocate to represent a single `TokenTree`.
518 /// We must use `ThinTokenStream` in `TokenTree::Delimited` to avoid infinite size due to recursion.
519 #[derive(Debug, Clone)]
520 pub struct ThinTokenStream(Option<RcSlice<TokenStream>>);
521
522 impl From<TokenStream> for ThinTokenStream {
523     fn from(stream: TokenStream) -> ThinTokenStream {
524         ThinTokenStream(match stream.kind {
525             TokenStreamKind::Empty => None,
526             TokenStreamKind::Tree(tree) => Some(RcSlice::new(vec![tree.into()])),
527             TokenStreamKind::JointTree(tree) => Some(RcSlice::new(vec![tree.joint()])),
528             TokenStreamKind::Stream(stream) => Some(stream),
529         })
530     }
531 }
532
533 impl From<ThinTokenStream> for TokenStream {
534     fn from(stream: ThinTokenStream) -> TokenStream {
535         stream.0.map(TokenStream::concat_rc_slice).unwrap_or_else(TokenStream::empty)
536     }
537 }
538
539 impl Eq for ThinTokenStream {}
540
541 impl PartialEq<ThinTokenStream> for ThinTokenStream {
542     fn eq(&self, other: &ThinTokenStream) -> bool {
543         TokenStream::from(self.clone()) == TokenStream::from(other.clone())
544     }
545 }
546
547 impl fmt::Display for TokenStream {
548     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
549         f.write_str(&pprust::tokens_to_string(self.clone()))
550     }
551 }
552
553 impl Encodable for TokenStream {
554     fn encode<E: Encoder>(&self, encoder: &mut E) -> Result<(), E::Error> {
555         self.trees().collect::<Vec<_>>().encode(encoder)
556     }
557 }
558
559 impl Decodable for TokenStream {
560     fn decode<D: Decoder>(decoder: &mut D) -> Result<TokenStream, D::Error> {
561         Vec::<TokenTree>::decode(decoder).map(|vec| vec.into_iter().collect())
562     }
563 }
564
565 impl Hash for TokenStream {
566     fn hash<H: hash::Hasher>(&self, state: &mut H) {
567         for tree in self.trees() {
568             tree.hash(state);
569         }
570     }
571 }
572
573 impl Encodable for ThinTokenStream {
574     fn encode<E: Encoder>(&self, encoder: &mut E) -> Result<(), E::Error> {
575         TokenStream::from(self.clone()).encode(encoder)
576     }
577 }
578
579 impl Decodable for ThinTokenStream {
580     fn decode<D: Decoder>(decoder: &mut D) -> Result<ThinTokenStream, D::Error> {
581         TokenStream::decode(decoder).map(Into::into)
582     }
583 }
584
585 impl Hash for ThinTokenStream {
586     fn hash<H: hash::Hasher>(&self, state: &mut H) {
587         TokenStream::from(self.clone()).hash(state);
588     }
589 }
590
591
592 #[cfg(test)]
593 mod tests {
594     use super::*;
595     use syntax::ast::Ident;
596     use syntax_pos::{Span, BytePos, NO_EXPANSION};
597     use parse::token::Token;
598     use util::parser_testing::string_to_stream;
599
600     fn string_to_ts(string: &str) -> TokenStream {
601         string_to_stream(string.to_owned())
602     }
603
604     fn sp(a: u32, b: u32) -> Span {
605         Span::new(BytePos(a), BytePos(b), NO_EXPANSION)
606     }
607
608     #[test]
609     fn test_concat() {
610         let test_res = string_to_ts("foo::bar::baz");
611         let test_fst = string_to_ts("foo::bar");
612         let test_snd = string_to_ts("::baz");
613         let eq_res = TokenStream::concat(vec![test_fst, test_snd]);
614         assert_eq!(test_res.trees().count(), 5);
615         assert_eq!(eq_res.trees().count(), 5);
616         assert_eq!(test_res.eq_unspanned(&eq_res), true);
617     }
618
619     #[test]
620     fn test_to_from_bijection() {
621         let test_start = string_to_ts("foo::bar(baz)");
622         let test_end = test_start.trees().collect();
623         assert_eq!(test_start, test_end)
624     }
625
626     #[test]
627     fn test_eq_0() {
628         let test_res = string_to_ts("foo");
629         let test_eqs = string_to_ts("foo");
630         assert_eq!(test_res, test_eqs)
631     }
632
633     #[test]
634     fn test_eq_1() {
635         let test_res = string_to_ts("::bar::baz");
636         let test_eqs = string_to_ts("::bar::baz");
637         assert_eq!(test_res, test_eqs)
638     }
639
640     #[test]
641     fn test_eq_3() {
642         let test_res = string_to_ts("");
643         let test_eqs = string_to_ts("");
644         assert_eq!(test_res, test_eqs)
645     }
646
647     #[test]
648     fn test_diseq_0() {
649         let test_res = string_to_ts("::bar::baz");
650         let test_eqs = string_to_ts("bar::baz");
651         assert_eq!(test_res == test_eqs, false)
652     }
653
654     #[test]
655     fn test_diseq_1() {
656         let test_res = string_to_ts("(bar,baz)");
657         let test_eqs = string_to_ts("bar,baz");
658         assert_eq!(test_res == test_eqs, false)
659     }
660
661     #[test]
662     fn test_is_empty() {
663         let test0: TokenStream = Vec::<TokenTree>::new().into_iter().collect();
664         let test1: TokenStream =
665             TokenTree::Token(sp(0, 1), Token::Ident(Ident::from_str("a"))).into();
666         let test2 = string_to_ts("foo(bar::baz)");
667
668         assert_eq!(test0.is_empty(), true);
669         assert_eq!(test1.is_empty(), false);
670         assert_eq!(test2.is_empty(), false);
671     }
672 }