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
extern crate proc_macro;

use proc_macro::TokenStream;
use quote::{format_ident, quote};
use syn::{self, parse_macro_input, Data, DeriveInput, Field, Fields, Meta, NestedMeta};

fn has_attr(field: &Field, i: &str) -> bool {
    field.attrs.iter().any(|attr| {
        if let Some(attr_ident) = attr.path.get_ident() {
            attr_ident == i
        } else {
            false
        }
    })
}

#[proc_macro_derive(Shader, attributes(uniform))]
pub fn derive_shader(item: TokenStream) -> TokenStream {
    let input = parse_macro_input!(item as DeriveInput);

    let ident = input.ident;

    let fields = match input.data {
        Data::Struct(s) => match s.fields {
            Fields::Named(fields) => fields
                .named
                .iter()
                .filter(|field| has_attr(field, "uniform"))
                .map(|field| {
                    let field_ident = field.ident.as_ref().unwrap();
                    let field_ty = &field.ty;

                    quote! {
                        impl ::solstice::shader::UniformGetter<#field_ty> for #ident {
                            fn get_uniform(&self) -> &#field_ty {
                                &self.#field_ident
                            }
                        }

                        impl ::solstice::shader::UniformGetterMut<#field_ty> for #ident {
                            fn get_uniform_mut(&mut self) -> &mut #field_ty {
                                &mut self.#field_ident
                            }
                        }
                    }
                })
                .collect::<Vec<_>>(),
            _ => panic!("only named fields are supported"),
        },
        _ => panic!("only structs are supported"),
    };

    TokenStream::from(quote! {
        #(#fields)*
        impl ::solstice::shader::BasicUniformSetter for #ident {}
    })
}

#[proc_macro_derive(Uniform, attributes(location))]
pub fn derive_uniform(item: TokenStream) -> TokenStream {
    let input = parse_macro_input!(item as DeriveInput);

    let ident = input.ident;

    let fields = match input.data {
        Data::Struct(s) => match s.fields {
            Fields::Named(fields) => fields
                .named
                .iter()
                .filter(|field| has_attr(field, "location"))
                .map(|field| {
                    let field_ident = field.ident.as_ref().unwrap();
                    quote! {
                        impl ::solstice::shader::UniformTrait for #ident {
                            type Value = [f32; 16];
                            const NAME: &'static str = "#field_ident";

                            fn get_location(&self) -> Option<&::solstice::shader::UniformLocation> {
                                self.#field_ident.as_ref()
                            }
                        }
                    }
                })
                .collect::<Vec<_>>(),
            _ => panic!("only named fields are supported"),
        },
        _ => panic!("only structs are supported"),
    };

    TokenStream::from(quote! {
        #(#fields)*
    })
}

#[proc_macro_derive(Vertex)]
pub fn derive_vertex(item: TokenStream) -> TokenStream {
    let input = parse_macro_input!(item as DeriveInput);

    assert!(
        input.attrs.iter().any(|attr| {
            if let Some(ident) = attr.path.get_ident() {
                if ident == "repr" {
                    if let Ok(syn::Meta::List(ref meta_list)) = attr.parse_meta() {
                        let reprs = meta_list
                            .nested
                            .iter()
                            .filter_map(|nested| match nested {
                                NestedMeta::Meta(Meta::Path(path)) => path.get_ident(),
                                _ => None,
                            })
                            .collect::<Vec<_>>();
                        return ["C"]
                            .iter()
                            .all(|repr| reprs.iter().find(|&r| r == repr).is_some());
                    }
                }
            }
            false
        }),
        "Vertex structs must be `#[repr(C)]`"
    );

    match input.data {
        Data::Struct(s) => match s.fields {
            Fields::Named(fields) => {
                let field_types = fields.named.iter().scan(vec![], |state, field| {
                    state.push(&field.ty);
                    Some(state.clone())
                });

                let vertex_formats = field_types.zip(fields.named.iter()).map(|(mut types, ident)| {
                        let this_type = types.pop().unwrap();
                        let name = format!("{:}", ident.ident.as_ref().unwrap());
                        let offset = if types.is_empty() {
                            quote! {
                                0usize
                            }
                        } else {
                            quote! {
                                #(::std::mem::size_of::<#types>())+*
                            }
                        };

                        quote! {
                            ::solstice::vertex::VertexFormat {
                                name: #name,
                                offset: #offset,
                                atype: <#this_type as ::solstice::vertex::VertexAttributeType>::A_TYPE,
                                normalize: false,
                            }
                        }
                    });
                let ident = format_ident!("{}", input.ident);
                TokenStream::from(quote! {
                    impl ::solstice::vertex::Vertex for #ident {
                        fn build_bindings() -> &'static [::solstice::vertex::VertexFormat] {
                            &[
                                #(#vertex_formats),*
                            ]
                        }
                    }
                })
            }
            Fields::Unnamed(_) | Fields::Unit => panic!("only named fields are supported"),
        },
        Data::Enum(_) | Data::Union(_) => panic!("only structs are supported"),
    }
}