blob: 2f9934f6b9952d7c4fb5c0153b713d61030ba064 (
plain) (
blame)
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
|
//! Groupped Derive Macro Implementation
//!
//! This module provides the `#[derive(Groupped)]` macro for automatically
//! implementing the `Groupped` trait on structs and enums.
use proc_macro::TokenStream;
use proc_macro2::Span;
use quote::quote;
use syn::{Attribute, DeriveInput, Ident, parse_macro_input};
/// Parses the `#[group(...)]` attribute to extract the group type
fn parse_group_attribute(attrs: &[Attribute]) -> Option<Ident> {
for attr in attrs {
if attr.path().is_ident("group")
&& let Ok(meta) = attr.parse_args::<syn::Meta>()
&& let syn::Meta::Path(path) = meta
&& let Some(segment) = path.segments.last()
{
return Some(segment.ident.clone());
}
}
None
}
pub fn derive_groupped(input: TokenStream) -> TokenStream {
// Parse the input struct/enum
let input = parse_macro_input!(input as DeriveInput);
let struct_name = input.ident;
// Parse attributes to find #[group(...)]
let group_ident = parse_group_attribute(&input.attrs)
.unwrap_or_else(|| Ident::new("DefaultProgram", Span::call_site()));
// Generate the Groupped trait implementation
let expanded = quote! {
impl ::mingling::Groupped<#group_ident> for #struct_name {
fn member_id() -> #group_ident {
#group_ident::#struct_name
}
}
};
expanded.into()
}
#[cfg(feature = "general_renderer")]
pub fn derive_groupped_serialize(input: TokenStream) -> TokenStream {
// Parse the input struct/enum
let input_parsed = parse_macro_input!(input as DeriveInput);
let struct_name = input_parsed.ident.clone();
// Parse attributes to find #[group(...)]
let group_ident = parse_group_attribute(&input_parsed.attrs)
.unwrap_or_else(|| Ident::new("DefaultProgram", Span::call_site()));
// Generate both Serialize and Groupped implementations
let expanded = quote! {
#[derive(serde::Serialize)]
#input_parsed
impl ::mingling::Groupped<#group_ident> for #struct_name {
fn member_id() -> #group_ident {
#group_ident::#struct_name
}
}
};
expanded.into()
}
|