1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370
//! An extractor based low level macro parsing crate
//! that provides high level parsing support through derive macros.
//!
//! # `FromMacro` and `Extractor`
//!
//! [`FromMacro`] is the bread and butter of this crate.
//! `FromMacro` provides a [`from_one`](FromMacro::from_one) and a [`from_many`](FromMacro::from_many) function
//! that parses a [`TokenTree`] and a [`TokenStream`] respectively.
//!
//! We can mostly assume `from_many` will contain two or more `TokenTrees`. If not
//! that is considered a bug in an extractor.
//!
//! All implementors of `FromMacro` are [`Extractors`](crate::Extractor) of one `TokenTree`. When used on a
//! `TokenStream` iterator directly, they will consume a single `TokenTree`
//! and try to parse it using `from_one`.
//!
//! ```
//! # use quote::quote;
//! # use proc_macro2::Punct;
//! # use macroex::*;
//! # fn main() -> Result<(), Error> {
//! let mut iter = quote!{45, Hello; true false}.into_iter();
//! let a: i32 = iter.extract()?;
//! let b: Punct = iter.extract()?;
//! // Extracts a string value from an ident
//! let IdentString(c) = iter.extract()?;
//! // Validates a semicolon
//! let d: PunctOf<';'> = iter.extract()?;
//! let e: bool = iter.extract()?;
//! // Validates a false literal
//! let f: LitFalse = iter.extract()?;
//! # Ok(()) }
//! ```
//!
//! This is pretty great! As most things can be represented as a single [`TokenTree`].
//!
//! ```
//! # /*
//! // This is a single TokenTree::Group
//! {
//! name: "Tom".
//! age: 45,
//! children: [
//! "Tim", "Tam"
//! ],
//! }
//! # */
//! ```
//!
//! However there are other things one `TokenTree` cannot account for.
//!
//! ```should_panic
//! # use quote::quote;
//! # use macroex::*;
//! // This fails because -45 is two tokens
//! let a: i32 = quote!{-45}.into_iter().extract().unwrap();
//! ```
//!
//! Wrapping [`FromMacro`] implementers in other [`Extractors`](crate::Extractor)
//! allow `FromMacro` implementors to parse additional `TokenTrees` and
//! potentially utilize the [`from_many`](FromMacro::from_many) method
//! if more than one `TokenTree` is matched.
//!
//! ```
//! # use quote::quote;
//! # use proc_macro2::Punct;
//! # use macroex::*;
//! # fn main() -> Result<(), Error> {
//! // Note -45 is two tokens
//! let mut iter = quote!{-45}.into_iter();
//! // All extracts everything from a stream
//! let All(a) = iter.extract()?;
//! assert_eq!(a, -45i32);
//! # let _ = 1i32.max(a);
//!
//! let mut iter = quote!{-45, 21, 9.5,}.into_iter();
//! // CommaExtractor extracts until a comma or end of stream is found.
//! let CommaExtractor(a) = iter.extract()?;
//! let CommaExtractor(b) = iter.extract()?;
//! let CommaExtractor(c) = iter.extract()?;
//! // EndOfStream is a unit struct extractor and this asserts iter is empty
//! let EndOfStream = iter.extract()?;
//! assert_eq!(a, -45);
//! assert_eq!(b, 21);
//! assert_eq!(c, 9.5);
//! # let _ = 1i32.max(a).max(b);
//! # let _ = 1f32.max(c);
//! # Ok(()) }
//! ```
//!
//! # Derive
//!
//! We provide derive macro [`FromMacro`](::macroex_derive::FromMacro)
//! and [`FromAttrs`] that functions similarly to
//! to `serde::Deserialize`. This enables ergonomic
//! parsing for structs and enums following a specific data format.
//!
//! [`FromMacro`](::macroex_derive::FromMacro) parses syntax similar to native rust,
//! while [`FromAttrs`] parses syntax commonly used in macro attributes.
//!
//! ### Why not `serde_tokenstream`?
//!
//! Since we do not use the `serde` data model. Our data model is much more powerful in the macro context.
//! We are allowed to extract all [`FromMacro`] implementors,
//! including [`TokenStream`], [`Ident`](proc_macro2::Ident), [`Group`](proc_macro2::Group), etc.
//!
//! # FromMacro
//!
//! [`FromMacro`](::macroex_derive::FromMacro) parses syntax similar to native rust.
//!
//! | Type | `from_one` | `from_many` |
//! | --- | --- | --- |
//! | Unit Struct | `StructName` | -- |
//! | Tuple Struct | `(tuple, ..)` | `StructName (tuple, ..)` |
//! | Named Struct | `{field: value, ..}` | `StructName {field: value, ..}` |
//! | Unit Enum Variant | `VariantName` | -- |
//! | Tuple Enum Variant | -- | `VariantName (tuple, ..)` |
//! | Named Enum Variant | -- | `VariantName {field: value, ..}` |
//!
//! ### Examples
//!
//! | Type | Rust Type | `from_one` | `from_many` |
//! | --- | --- | --- | --- |
//! | Unit Struct | `struct Red;` | `Red` | -- |
//! | Tuple Struct | `struct Vec2 (i32, i32)` | `(4, 5)` | `Vec2 (4, 5)` |
//! | Named Struct | `struct Vec2 {x: i32, y: i32}` | `{x: 4, y: 5}` | `Vec2 {x: 4, y: 5}` |
//! | Unit Variant | `enum Color {Black, White}` | `Black` | -- |
//! | Tuple Variant | `enum Animals {Dog(String), Sheep(usize)}` | -- | `Dog ("Rex")` |
//! | Named Variant | `enum Shapes {Square {x: f32}, Rect {x: f32, y: f32}}` | -- | `Rect {x: 4, y: 5}` |
//!
//! ### Use Case
//!
//! Since we are likely to be parsing configurations in macros,
//! we supply a `Default::default()` value if a field is not found.
//!
//! You are required to opt **out** of this with `#[macroex(required)]` if
//! your type does not implement [`Default`].
//!
//! ```
//! # use macroex::*;
//! # use proc_macro2::TokenStream;
//! # #[derive(FromMacro, Default)] struct Gender;
//! #[derive(FromMacro)]
//! pub struct Person {
//! pub name: String,
//! pub age: i32,
//! pub height: f32,
//! // This works as long as Gender implements `FromMacro` and `Default`
//! pub gender: Gender,
//! // Using Option is idiomatic to handle the default case.
//! pub hair_color: Option<NumberList<[f32;4]>>,
//! // We can extract macro based things
//! pub do_something: Option<TokenStream>,
//! }
//! ```
//!
//! Example macro input:
//! ```
//! # /*
//! person! {
//! name: "Lina",
//! age: 23,
//! gender: Female,
//! hair_color: [0.7, 0.4, 0],
//! do_something: {
//! let w = "world";
//! println!("Hello, {}!", w)
//! },
//! }
//! # */
//! ```
//!
//! ### Attributes
//!
//! The [`FromMacro`] macro supports the following attributes:
//!
//! ```
//! # use macroex::*;
//! # use proc_macro2::TokenStream;
//! #[derive(FromMacro)]
//! // We use the same casing names as serde.
//! #[macroex(rename_all="SCREAMING-KEBAB-CASE")]
//! pub struct Animal {
//! // Errors if not specified.
//! #[macroex(required)]
//! pub name: String,
//! // Evaluate an expression instead of `Default::default()`
//! #[macroex(default="0.0")]
//! pub height: f32,
//! #[macroex(default=r#""dog".to_owned()"#)]
//! pub species: String,
//! // Take strings as inputs, and collects them into a vec.
//! #[macroex(repeat)]
//! // and rename "nicknames" to "nickname" during parsing.
//! #[macroex(rename="nickname")]
//! pub nicknames: Vec<String>,
//! }
//! ```
//!
//! # FromAttrs
//!
//! [`FromAttrs`]
//! Generates a simple [`FromMacro`] implementation for syntax commonly associated with macro attributes.
//!
//! This macro is only allowed on named structs and supports 3 basic syntax:
//!
//! * `.., name, ..` parses to `name: true`, which matches a boolean value.
//! * `.., name = expr, ..` parses to `name: expr`
//! * `.., name(..), ..` parses to `name: T{ .. }`
//!
//! Other types like fieldless enums can potentially use [`FromMacro`](::macroex_derive::FromMacro)
//! to generated compatible [`FromMacro`] implementations to use with this macro.
//!
//! ### Example
//!
//! We use the same set of attributes as [`FromMacro`]
//!
//! ```
//! # use macroex::*;
//! # use proc_macro2::*;
//! # #[derive(FromAttrs)] pub struct MascotInfo {}
//! #[derive(FromAttrs)]
//! #[macroex(rename_all="snake_case")]
//! pub struct Animal {
//! #[macroex(required)]
//! pub name: String,
//! #[macroex(default="0.0")]
//! pub height: f32,
//! #[macroex(default=r#"Ident::new("Dog", Span::call_site())"#)]
//! pub species: Ident,
//! #[macroex(repeat, rename="mascot")]
//! pub mascot_infos: Vec<MascotInfo>,
//! }
//! ```
//!
//! Example attribute:
//! ```
//! # /*
//! #[animal(name = "Ferris", species = Crab, mascot(language = "Rust"))]
//! # */
//! ```
//!
//! We can parse either
//! ```
//! # /*
//! (name = "Ferris", species = Crab, mascot(language = "Rust"))
//! # */
//! ```
//! with `from_one`, or
//! ```
//! # /*
//! name = "Ferris", species = Crab, mascot(language = "Rust")
//! # */
//! ```
//! with `from_many`, commonly extracted with `syn`.
//!
//! # Macro Chaining and Hygeine
//!
//! We treat our input as string-like and we will try
//! to flatten all [`None`](proc_macro2::Delimiter) delimited groups encountered during parsing.
//!
#![forbid(unsafe_code)]
use proc_macro2::{TokenTree, TokenStream};
mod error;
mod literals;
mod utilclass;
mod stream;
mod multi;
mod extract;
mod map;
mod collections;
mod validators;
mod either;
pub use stream::*;
pub use literals::*;
pub use utilclass::*;
pub use error::*;
pub use multi::*;
pub use extract::*;
pub use map::*;
pub use collections::*;
pub use validators::*;
pub use either::*;
#[cfg(feature="quote")]
mod totokens;
#[cfg(feature="quote")]
pub use totokens::*;
#[cfg(feature="quote")]
mod transparent_tokens;
#[cfg(feature="quote")]
pub use quote;
/// Re-export of [`proc_macro2`]
pub use proc_macro2;
#[cfg(feature = "derive")]
pub use macroex_derive::{FromMacro, FromAttrs};
/// A type that can be parsed from a one or more items in a TokenStream.
pub trait FromMacro: Sized {
/// Hint to [`All`] and similar extractors to disable length validation.
///
/// By default only implemented on [`TokenStream`], [`Iter`] and [`Stringify`]
/// for their special use cases.
const PREFER_MANY: bool = false;
/// This will be called if there is only one item
fn from_one(tt: TokenTree) -> Result<Self, Error>;
/// This will be called if there is more than one item.
///
/// The `empty` case, in principle, should be handled by extractors like [`All`].
#[allow(unused)]
fn from_many(tokens: TokenStream) -> Result<Self, Error> {
abort!(tokens => ExpectOne)
}
/// Look ahead and determine parsability.
///
/// This should be used to avoid unnecessary calls to
/// `TokenStream::into_iter()` or `IntoIter::clone()`.
///
/// False positives are allowed。
#[allow(unused)]
fn peek(tt: &TokenTree) -> bool { true }
/// Internal use only.
#[doc(hidden)]
fn from_tokens(tokens: EitherStream) -> Result<Self, Error> {
match tokens {
EitherStream::One(a) => Self::from_one(a),
EitherStream::Many(a) => Self::from_many(a),
}
}
}
/// `Option<T>` is idiomatic for default value handling, no changes.
impl<T> FromMacro for Option<T> where T: FromMacro {
fn from_one(tt: TokenTree) -> Result<Self, Error> {
T::from_one(tt).map(|x| Some(x))
}
fn from_many(tokens: TokenStream) -> Result<Self, Error> {
T::from_many(tokens).map(|x| Some(x))
}
}
/// Monadic extractor that converts Err to None.
pub enum Fallible<T> {
Some(T),
None,
}
impl<T> FromMacro for Fallible<T> where T: FromMacro {
fn from_one(tt: TokenTree) -> Result<Self, Error> {
match T::from_one(tt){
Ok(x) => Ok(Fallible::Some(x)),
Err(_) => Ok(Fallible::None)
}
}
fn from_many(tokens: TokenStream) -> Result<Self, Error> {
match T::from_many(tokens){
Ok(x) => Ok(Fallible::Some(x)),
Err(_) => Ok(Fallible::None)
}
}
}