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
//! Rust attribute macro library that makes it easy to wrap functions in code that runs before and / or after a function executes.
//!
//! Repository: <https://github.com/ChandlerJayCalkins/function-wrapper>
//!
//! This function
//!
//! ```rs
//! #[wrap]
//! fn hello() -> bool
//! {
//! println!("Hello there!");
//! println!("This is some code.");
//! true
//! }
//! ```
//!
//! which is being wrapped by this attribute
//!
//! ```rs
//! use function_wrapper::WrappedFn;
//! extern crate proc_macro;
//! extern crate proc_macro2;
//! use syn::parse_macro_input;
//! use quote::quote;
//!
//! // Adds print statements before and after a function executes.
//! #[proc_macro_attribute]
//! pub fn wrap(_: proc_macro::TokenStream, item: proc_macro::TokenStream) -> proc_macro::TokenStream
//! {
//! // Parse input as a WrappedFn object from the function-wrapper crate.
//! let mut function = parse_macro_input!(item as WrappedFn);
//! // Put a print statement in the code that gets run before the function.
//! function.set_pre_code(quote!{ println!("Hi at the start :)"); });
//! // Put a print statement in the code that gets run after the function.
//! function.set_post_code(quote!{ println!("Hi at the end :)"); });
//! // Convert the function into a TokenStream and return it.
//! proc_macro2::TokenStream::from(function).into()
//! }
//! ```
//!
//! will turn into this after being compiled.
//!
//! ```rs
//! fn hello() -> bool
//! {
//! println!("Hi at the start :)");
//! let mut wrapper = ||
//! {
//! println!("Hello there!");
//! println!("This is some code.");
//! true
//! };
//! let result = wrapper();
//! println!("Hi at the end :)");
//! result
//! }
//! ```
use proc_macro2::{TokenStream, Span};
use syn::{ItemFn, Ident, /* Type, ReturnType */};
use syn::parse::{Parse, ParseStream};
use syn;
use quote::quote;
use core::iter::Extend;
/// String table of error messages
const ERROR_STRS: [&str; 1] =
[
// Error message for when no tokens are given to parse in the `syn::parse()` method.
"expected function"
];
// /// Contains the type variants that wrapped function can return.
// #[derive(Clone)]
// pub enum WrappedFnOutput
// {
// /// No return type was given. Usually represented as `()`.
// Default,
// /// All other explicitly written types. Contains a `syn::Type` as the internal value.
// Type(Type)
// }
/// Function that can have code inserted before and after the rest of the function executes.
/// Can be constructed with `syn::parse()` and other variations of parsing from the `syn` crate.
///
/// Example:
///
/// ```rs
/// let mut function = parse_macro_input!(token_stream as WrappedFn);
/// ```
///
/// Code that runs before the function can be set using the `set_pre_code()` method.
///
/// Example:
///
/// ```rs
/// function.set_pre_code(quote!{ println!("Hi at the start :)"); });
/// ```
///
/// Code that runs after the function can be set using the `set_post_code()` method.
///
/// Example:
///
/// ```rs
/// function.set_post_code(quote!{ println!("Hi at the end :)"); });
/// ```
#[derive(Clone)]
pub struct WrappedFn
{
/// Contains code that gets run before the rest of the function.
pub pre_code: Option<TokenStream>,
/// `syn::ItemFn` that contains all of the data of the original function, including the code inside, the function signature, any attributes, etc.
pub function: ItemFn,
// /// The arguments to the function.
// pub args: Vec<FnArgData>,
// /// Return type.
// pub output: WrappedFnOutput,
/// Identifier token for the closure that wraps all of the original code from the wrapped function. It is `wrapper` by default.
pub wrapper_ident: Ident,
/// Identifier token for the variable that holds the return value of the wrapped function. It is `result` by default.
pub result_ident: Ident,
/// Contains code that gets run after the rest of the function.
pub post_code: Option<TokenStream>
}
impl WrappedFn
{
/// Sets the code that gets run before the rest of the function executes.
pub fn set_pre_code(&mut self, pre_code: TokenStream)
{
self.pre_code = Some(pre_code);
}
/// Sets the code that gets run after the rest of the function executes.
pub fn set_post_code(&mut self, post_code: TokenStream)
{
self.post_code = Some(post_code);
}
}
/// Main way to construct a `WrappedFn`.
/// Can be constructed using `syn::parse_macro_input` like this:
///
/// ```rs
/// let mut function = parse_macro_input!(token_stream as WrappedFn);
/// ```
impl Parse for WrappedFn
{
/// Constructs a WrappedFn from a `syn::ParseStream`.
fn parse(input: ParseStream) -> syn::Result<Self>
{
// If no tokens were given to parse, throw an error
if input.is_empty()
{
return Err(syn::Error::new(input.span(), ERROR_STRS[0]))
}
// Attempt to parse the input tokens as a function
let function: ItemFn = input.parse()?;
// Get the return type
// let output = match function.sig.output.clone()
// {
// // If a return type was explicitly given, extract it
// ReturnType::Type(_, o) => WrappedFnOutput::Type(*o),
// // If no return type was given, use the default return type variant (usually represented as ())
// ReturnType::Default => WrappedFnOutput::Default
// };
// Construct a WrappedFn to return
let wrapped_function = Self
{
pre_code: None,
function: function,
// output: output,
wrapper_ident: Ident::new("wrapper", Span::call_site()),
result_ident: Ident::new("result", Span::call_site()),
post_code: None
};
Ok(wrapped_function)
}
}
/// Allows `WrappedFn`s to be converted into tokenstreams for easy use in procedural attribute macros.
impl From<WrappedFn> for TokenStream
{
/// Converts a `WrappedFn` into a `proc_macro2::TokenStream`.
fn from(function: WrappedFn) -> Self
{
// Determine whether the function has code that gets run before / after the rest of the function or not
match (function.pre_code, function.post_code)
{
// If the function has some code to get run both before and after the function
(Some(pre_code), Some(post_code)) =>
{
// Get the code code block from the function that was given
let wrapped_code = &function.function.block;
// Get the identifier token for the closure that wraps the function's original code
let wrapper_ident = &function.wrapper_ident;
// Get the identifier token for the variable that holds the result of running the function's original code
let result_ident = &function.result_ident;
// Wrap the code in a closure, get the result of running that closure, and turn all of it into a TokenStream
let wrapper_code = quote!
{
let mut #wrapper_ident = || #wrapped_code ;
let #result_ident = #wrapper_ident ();
};
// Get a TokenStream of the return line
let return_line = quote!{ #result_ident };
// Create a TokenStream where everything will get combined, starting with the code that gets run before the rest of the function
let mut function_block = pre_code;
// Add the wrapped code that came with the function
function_block.extend(wrapper_code);
// Add the code that runs after the rest of the function
function_block.extend(post_code);
// Add the line that returns the return value
function_block.extend(return_line);
// Wrap all of this code inside curly braces
let function_block = quote!{ { #function_block } };
// Get a new ItemFn object
let mut function = function.function.clone();
// Set the code inside the function to the new code
function.block = syn::parse(function_block.into()).unwrap();
// Convert the function back to a TokenStream and return it
quote!(#function)
},
// If the function has some code to get run before the function but not after
(Some(pre_code), None) =>
{
// Get the code code block from the function that was given
let code = &function.function.block;
// Turn it into a TokenStream
let code = quote! { #code };
// Create a TokenStream where everything will get combined, starting with the code that gets run before the rest of the function
let mut function_block = TokenStream::new();
// Add the code that gets run before the rest of the function
function_block.extend(pre_code);
// Add the code that came with the function
function_block.extend(code);
// Wrap all of this code inside curly braces
let function_block = quote!{ { #function_block } };
// Get a new ItemFn object
let mut function = function.function.clone();
// Set the code inside the function to the new code
function.block = syn::parse(function_block.into()).unwrap();
// Convert the function back to a TokenStream and return it
quote!(#function)
},
// If the function has some code to get run after the function but not before
(None, Some(post_code)) =>
{
// Get the code code block from the function that was given
let wrapped_code = &function.function.block;
// Get the identifier token for the closure that wraps the function's original code
let wrapper_ident = &function.wrapper_ident;
// Get the identifier token for the variable that holds the result of running the function's original code
let result_ident = &function.result_ident;
// Wrap the code in a closure, get the result of running that closure, and turn all of it into a TokenStream
let wrapper_code = quote!
{
let mut #wrapper_ident = || #wrapped_code ;
let #result_ident = #wrapper_ident ();
};
// Get a TokenStream of the return line
let return_line = quote!{ #result_ident };
// Create a TokenStream where everything will get combined, starting with the wrapped code that came with the function
let mut function_block = wrapper_code;
// Add the code that runs after the rest of the function
function_block.extend(post_code);
// Add the line that returns the return value
function_block.extend(return_line);
// Wrap all of this code inside curly braces
let function_block = quote!{ { #function_block } };
// Get a new ItemFn object
let mut function = function.function.clone();
// Set the code inside the function to the new code
function.block = syn::parse(function_block.into()).unwrap();
// Convert the function back to a TokenStream and return it
quote!(#function)
},
// If the function has no code to insert before or after the function
(None, None) =>
{
// Just return the function the way it is as a TokenStream
let function = &function.function;
quote!(#function)
}
}
}
}
#[cfg(test)]
mod tests
{
use super::*;
#[test]
fn it_works()
{
assert(true);
}
}