forked from vmware/differential-datalog
-
Notifications
You must be signed in to change notification settings - Fork 0
/
mutator.rs
318 lines (274 loc) · 11.1 KB
/
mutator.rs
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
use super::{add_trait_bounds, get_rename};
use proc_macro2::{Span, TokenStream};
use quote::{format_ident, quote};
use syn::{
parse_quote, spanned::Spanned, Data, DataEnum, DataStruct, DeriveInput, Error, Fields,
FieldsNamed, FieldsUnnamed, Ident, ImplGenerics, Index, Result, TypeGenerics, WhereClause,
};
pub fn mutator_inner(mut input: DeriveInput) -> Result<TokenStream> {
// The name of the struct
let struct_ident = input.ident;
// Make sure every generic is able to be mutated by `Record`
// The redundant clone circumvents mutating the collection we're iterating over
#[allow(clippy::redundant_clone)]
for generic in input
.generics
.clone()
.type_params()
.map(|param| ¶m.ident)
{
input
.generics
.make_where_clause()
.predicates
.push(parse_quote! {
::differential_datalog::record::Record: ::differential_datalog::record::Mutator<#generic>
});
}
// Add the required trait bounds
let generics = add_trait_bounds(
input.generics,
vec![
parse_quote!(::differential_datalog::record::FromRecord),
parse_quote!(::core::marker::Sized),
parse_quote!(::core::default::Default),
parse_quote!(::core::clone::Clone),
parse_quote!(serde::de::DeserializeOwned),
],
);
let generics = generics.split_for_impl();
// Created some idents with mixed spans so they act hygienically within the generated code
let generated_idents = (
Ident::new("args", Span::mixed_site()),
Ident::new("mutated", Span::mixed_site()),
Ident::new("error", Span::mixed_site()),
);
match input.data {
// Derive for structs
Data::Struct(derive_struct) => {
mutator_struct(struct_ident, derive_struct, generics, generated_idents)
}
// Derive for enums
Data::Enum(derive_enum) => {
mutator_enum(struct_ident, derive_enum, generics, generated_idents)
}
// Unions can't safely/soundly be automatically implemented over,
// the user will have to manually enforce invariants on it
Data::Union(union) => Err(Error::new_spanned(
union.union_token,
"`Mutator` cannot be automatically implemented on unions",
)),
}
}
/// Unit structs have nothing to mutate, so make sure the constructor is correct and that
/// there's no fields on the record
fn unit_struct_mutator(args: &Ident, error: &Ident) -> TokenStream {
quote! {
match self {
::differential_datalog::record::Record::PosStruct(_, #args) if #args.is_empty() => {},
::differential_datalog::record::Record::NamedStruct(_, #args) if #args.is_empty() => {},
::differential_datalog::record::Record::PosStruct(_, #args) => {
return ::core::result::Result::Err(::std::format!(
"incompatible struct, expected a struct with 0 fields and got a struct with {} fields",
#args.len(),
));
},
::differential_datalog::record::Record::NamedStruct(_, #args) => {
return ::core::result::Result::Err(::std::format!(
"incompatible struct, expected a struct with 0 fields and got a struct with {} fields",
#args.len(),
));
},
#error => {
return ::core::result::Result::Err(::std::format!("not a unit struct {:?}", #error));
},
}
}
}
fn tuple_struct_mutator<'a>(
tuple_struct: &'a FieldsUnnamed,
args: &Ident,
error: &Ident,
) -> (TokenStream, impl Iterator<Item = Ident> + 'a) {
let num_fields = tuple_struct.unnamed.len();
let indices = tuple_struct.unnamed.iter().enumerate().map(|(idx, field)| {
let index = Index {
index: idx as u32,
span: field.span(),
};
format_ident!("_{}", index)
});
let field_mutations = tuple_struct
.unnamed
.iter()
.zip(indices.clone())
.enumerate()
.map(|(idx, (field, index))| {
let field_ty = &field.ty;
quote! {
<dyn ::differential_datalog::record::Mutator<#field_ty>>::mutate(&#args[#idx], #index)?;
}
});
let mutator = quote! {
match self {
::differential_datalog::record::Record::PosStruct(_, #args)
if #args.len() == #num_fields => {
#( #field_mutations )*
},
::differential_datalog::record::Record::PosStruct(_, #args) => {
return ::core::result::Result::Err(::std::format!(
"incompatible struct, expected a positional struct with {} fields and got a positional struct with {} fields",
#num_fields, #args.len(),
));
},
::differential_datalog::record::Record::NamedStruct(_, _) => {
return ::core::result::Result::Err(::std::format!(
"incompatible struct, expected a positional struct with {} fields and got a named struct",
#num_fields,
));
},
#error => {
return ::core::result::Result::Err(::std::format!("not a tuple struct {:?}", #error));
},
}
};
(mutator, indices)
}
fn named_struct_mutator<'a>(
named_struct: &'a FieldsNamed,
args: &Ident,
error: &Ident,
) -> Result<(TokenStream, impl Iterator<Item = &'a Ident> + 'a)> {
let field_mutations = named_struct.named.iter().map(|field| {
let field_ty = &field.ty;
let field_ident = field.ident.as_ref().expect("named structs have field names");
let field_record_name = get_rename("Mutator", "into_record", field.attrs.iter())?
.unwrap_or_else(|| field_ident.to_string());
Ok(quote! {
if let ::core::option::Option::Some(r#__ddlog_generated__field_record) = ::differential_datalog::record::arg_find(#args, #field_record_name) {
<dyn ::differential_datalog::record::Mutator<#field_ty>>::mutate(r#__ddlog_generated__field_record, #field_ident)?;
}
})
})
.collect::<Result<TokenStream>>()?;
let positional_mutations = named_struct.named.iter().enumerate().map(|(index, field)| {
let field_ty = &field.ty;
let field_ident = field.ident.as_ref().expect("named structs have field names");
quote! {
<dyn ::differential_datalog::record::Mutator<#field_ty>>::mutate(&#args[#index], #field_ident)?;
}
})
.collect::<TokenStream>();
let num_fields = named_struct.named.len();
let mutator = quote! {
match self {
::differential_datalog::record::Record::NamedStruct(_, #args) => {
#field_mutations
},
::differential_datalog::record::Record::PosStruct(_, #args)
if #args.len() == #num_fields => {
#positional_mutations
},
#error => {
return ::core::result::Result::Err(::std::format!("not a named struct {:?}", #error));
},
}
};
let fields = named_struct.named.iter().map(|field| {
field
.ident
.as_ref()
.expect("named structs have field names")
});
Ok((mutator, fields))
}
fn mutator_struct(
struct_ident: Ident,
derive_enum: DataStruct,
(impl_generics, type_generics, where_clause): (
ImplGenerics,
TypeGenerics,
Option<&WhereClause>,
),
(args, mutated, error): (Ident, Ident, Ident),
) -> Result<TokenStream> {
let generated_mutator = match derive_enum.fields {
Fields::Named(named_struct) => {
let (mutator, field_idents) = named_struct_mutator(&named_struct, &args, &error)?;
quote! {
let #struct_ident { #( #field_idents, )* } = #mutated;
#mutator
}
}
Fields::Unnamed(unnamed_struct) => {
let (mutator, tuple_elems) = tuple_struct_mutator(&unnamed_struct, &args, &error);
quote! {
let #struct_ident(#( #tuple_elems, )*) = #mutated;
#mutator
}
}
Fields::Unit => unit_struct_mutator(&args, &error),
};
Ok(quote! {
#[automatically_derived]
impl #impl_generics ::differential_datalog::record::MutatorInner<#struct_ident #type_generics> for ::differential_datalog::record::Record #where_clause {
fn mutate_inner(&self, #mutated: &mut #struct_ident #type_generics) -> ::core::result::Result<(), ::std::string::String> {
#generated_mutator
::core::result::Result::Ok(())
}
}
})
}
fn mutator_enum(
enum_ident: Ident,
derive_enum: DataEnum,
(impl_generics, type_generics, where_clause): (
ImplGenerics,
TypeGenerics,
Option<&WhereClause>,
),
(args, mutated, error): (Ident, Ident, Ident),
) -> Result<TokenStream> {
let generated_mutators = derive_enum
.variants
.iter()
.map(|variant| {
let variant_ident = &variant.ident;
let variant_record_name = get_rename("Mutator", "mutate", variant.attrs.iter())?
.unwrap_or_else(|| format!("{}::{}", enum_ident, variant_ident));
let (guard, mutator) = match &variant.fields {
Fields::Named(named_struct) => {
let (mutator, field_idents) =
named_struct_mutator(named_struct, &args, &error)?;
let guard = quote! { #enum_ident::#variant_ident { #( #field_idents, )* } };
(guard, mutator)
}
Fields::Unnamed(tuple_struct) => {
let (mutator, tuple_fields) = tuple_struct_mutator(tuple_struct, &args, &error);
let guard = quote! { #enum_ident::#variant_ident(#( #tuple_fields, )*) };
(guard, mutator)
}
Fields::Unit => {
let guard = quote! { #enum_ident::#variant_ident };
let mutator = unit_struct_mutator(&args, &error);
(guard, mutator)
}
};
Ok(quote! {
#guard if self.struct_constructor_str().unwrap_or(#variant_record_name) == #variant_record_name => #mutator,
})
})
.collect::<Result<TokenStream>>()?;
Ok(quote! {
#[automatically_derived]
impl #impl_generics differential_datalog::record::MutatorInner<#enum_ident #type_generics> for differential_datalog::record::Record #where_clause {
fn mutate_inner(&self, #mutated: &mut #enum_ident #type_generics) -> ::core::result::Result<(), ::std::string::String> {
match #mutated {
#generated_mutators
_ => { *#mutated = <#enum_ident #type_generics as ::differential_datalog::record::FromRecord>::from_record(self)?; },
}
::core::result::Result::Ok(())
}
}
})
}