risingwave_common_proc_macro/lib.rs
1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15#![cfg_attr(coverage, feature(coverage_attribute))]
16
17use estimate_size::{
18 add_trait_bounds, extract_ignored_generics_list, has_nested_flag_attribute_list,
19};
20use proc_macro::TokenStream;
21use proc_macro_error::proc_macro_error;
22use quote::quote;
23use syn::parse_macro_input;
24
25mod config;
26mod config_doc;
27mod estimate_size;
28mod session_config;
29
30/// Sections in the configuration file can use `#[derive(OverrideConfig)]` to generate the
31/// implementation of overwriting configs from the file.
32///
33/// In the struct definition, use #[override_opts(path = ...)] on a field to indicate the field in
34/// `RwConfig` to override.
35///
36/// An example:
37///
38/// ```ignore
39/// #[derive(OverrideConfig)]
40/// struct Opts {
41/// #[override_opts(path = meta.listen_addr)]
42/// listen_addr: Option<String>,
43/// }
44/// ```
45///
46/// will generate
47///
48/// ```ignore
49/// impl OverrideConfig for Opts {
50/// fn r#override(self, config: &mut RwConfig) {
51/// if let Some(v) = self.required_str {
52/// config.meta.listen_addr = v;
53/// }
54/// }
55/// }
56/// ```
57#[cfg_attr(coverage, coverage(off))]
58#[proc_macro_derive(OverrideConfig, attributes(override_opts))]
59#[proc_macro_error]
60pub fn override_config(input: TokenStream) -> TokenStream {
61 let input = parse_macro_input!(input);
62
63 let r#gen = config::produce_override_config(input);
64
65 r#gen.into()
66}
67
68/// `EstimateSize` can be derived if when all the fields in a
69/// struct or enum can implemented `EstimateSize`.
70#[proc_macro_derive(EstimateSize, attributes(estimate_size))]
71pub fn derive_estimate_size(input: TokenStream) -> TokenStream {
72 // Construct a representation of Rust code as a syntax tree
73 // that we can manipulate
74 let ast: syn::DeriveInput = syn::parse(input).unwrap();
75
76 // The name of the struct.
77 let name = &ast.ident;
78
79 // Extract all generics we shall ignore.
80 let ignored = extract_ignored_generics_list(&ast.attrs);
81
82 // Add a bound `T: EstimateSize` to every type parameter T.
83 let generics = add_trait_bounds(ast.generics, &ignored);
84
85 // Extract the generics of the struct/enum.
86 let (impl_generics, ty_generics, where_clause) = generics.split_for_impl();
87
88 // Traverse the parsed data to generate the individual parts of the function.
89 match ast.data {
90 syn::Data::Enum(data_enum) => {
91 if data_enum.variants.is_empty() {
92 // Empty enums are easy to implement.
93 let r#gen = quote! {
94 impl EstimateSize for #name {
95 fn estimated_heap_size(&self) -> usize {
96 0
97 }
98 }
99 };
100 return r#gen.into();
101 }
102
103 let mut cmds = Vec::with_capacity(data_enum.variants.len());
104
105 for variant in &data_enum.variants {
106 let ident = &variant.ident;
107
108 match &variant.fields {
109 syn::Fields::Unnamed(unnamed_fields) => {
110 let num_fields = unnamed_fields.unnamed.len();
111
112 let mut field_idents = Vec::with_capacity(num_fields);
113 for i in 0..num_fields {
114 let field_ident = String::from("v") + &i.to_string();
115 let field_ident = syn::parse_str::<syn::Ident>(&field_ident).unwrap();
116
117 field_idents.push(field_ident);
118 }
119
120 let mut field_cmds = Vec::with_capacity(num_fields);
121
122 for (i, _field) in unnamed_fields.unnamed.iter().enumerate() {
123 let field_ident = String::from("v") + &i.to_string();
124 let field_ident = syn::parse_str::<syn::Ident>(&field_ident).unwrap();
125
126 field_cmds.push(quote! {
127 total += EstimateSize::estimated_heap_size(#field_ident);
128 })
129 }
130
131 cmds.push(quote! {
132 Self::#ident(#(#field_idents,)*) => {
133 let mut total = 0;
134
135 #(#field_cmds)*;
136
137 total
138 }
139 });
140 }
141 syn::Fields::Named(named_fields) => {
142 let num_fields = named_fields.named.len();
143
144 let mut field_idents = Vec::with_capacity(num_fields);
145
146 let mut field_cmds = Vec::with_capacity(num_fields);
147
148 for field in &named_fields.named {
149 let field_ident = field.ident.as_ref().unwrap();
150
151 field_idents.push(field_ident);
152
153 field_cmds.push(quote! {
154 total += #field_ident.estimated_heap_size();
155 })
156 }
157
158 cmds.push(quote! {
159 Self::#ident{#(#field_idents,)*} => {
160 let mut total = 0;
161
162 #(#field_cmds)*;
163
164 total
165 }
166 });
167 }
168 syn::Fields::Unit => {
169 cmds.push(quote! {
170 Self::#ident => 0,
171 });
172 }
173 }
174 }
175
176 // Build the trait implementation
177 let r#gen = quote! {
178 impl #impl_generics EstimateSize for #name #ty_generics #where_clause {
179 fn estimated_heap_size(&self) -> usize {
180 match self {
181 #(#cmds)*
182 }
183 }
184 }
185 };
186 r#gen.into()
187 }
188 syn::Data::Union(_data_union) => {
189 panic!("Deriving EstimateSize for unions is currently not supported.")
190 }
191 syn::Data::Struct(data_struct) => {
192 if data_struct.fields.is_empty() {
193 // Empty structs are easy to implement.
194 let r#gen = quote! {
195 impl EstimateSize for #name {
196 fn estimated_heap_size(&self) -> usize {
197 0
198 }
199 }
200 };
201 return r#gen.into();
202 }
203
204 let mut field_cmds = Vec::with_capacity(data_struct.fields.len());
205
206 match data_struct.fields {
207 syn::Fields::Unnamed(unnamed_fields) => {
208 for (i, field) in unnamed_fields.unnamed.iter().enumerate() {
209 // Check if the value should be ignored. If so skip it.
210 if has_nested_flag_attribute_list(&field.attrs, "estimate_size", "ignore") {
211 continue;
212 }
213
214 let idx = syn::Index::from(i);
215 field_cmds.push(quote! {
216 total += EstimateSize::estimated_heap_size(&self.#idx);
217 })
218 }
219 }
220 syn::Fields::Named(named_fields) => {
221 for field in &named_fields.named {
222 // Check if the value should be ignored. If so skip it.
223 if has_nested_flag_attribute_list(&field.attrs, "estimate_size", "ignore") {
224 continue;
225 }
226
227 let field_ident = field.ident.as_ref().unwrap();
228 field_cmds.push(quote! {
229 total += &self.#field_ident.estimated_heap_size();
230 })
231 }
232 }
233 syn::Fields::Unit => {}
234 }
235
236 // Build the trait implementation
237 let r#gen = quote! {
238 impl #impl_generics EstimateSize for #name #ty_generics #where_clause {
239 fn estimated_heap_size(&self) -> usize {
240 let mut total = 0;
241
242 #(#field_cmds)*;
243
244 total
245 }
246 }
247 };
248 r#gen.into()
249 }
250 }
251}
252
253/// To add a new parameter, you can add a field with `#[parameter]` in the struct
254/// A default value is required by setting the `default` option.
255/// The field name will be the parameter name. You can overwrite the parameter name by setting the `rename` option.
256/// To check the input parameter, you can use `check_hook` option.
257///
258/// `flags` options include
259/// - `SETTER`: to manually write a `set_your_parameter_name` function, in which you should call `set_your_parameter_name_inner`.
260/// - `REPORT`: to report the parameter through `ConfigReporter`
261/// - `NO_ALTER_SYS`: disallow the parameter to be set by `alter system set`
262#[proc_macro_derive(SessionConfig, attributes(parameter))]
263#[proc_macro_error]
264pub fn session_config(input: TokenStream) -> TokenStream {
265 let input = parse_macro_input!(input);
266 session_config::derive_config(input).into()
267}
268
269/// This proc macro recursively extracts rustdoc comments from the fields in a struct and generates a method
270/// that produces docs for each field.
271///
272/// Unlike rustdoc, this tool focuses solely on extracting rustdoc for struct fields, without methods.
273///
274/// Example:
275///
276/// ```ignore
277/// #[derive(ConfigDoc)]
278/// pub struct Foo {
279/// /// Description for `a`.
280/// a: i32,
281///
282/// #[config_doc(nested)]
283/// b: Bar,
284///
285/// #[config_doc(omitted)]
286/// dummy: (),
287/// }
288/// ```
289///
290/// The `#[config_doc(nested)]` attribute indicates that the field is a nested config that will be documented in a separate section.
291/// Fields marked with `#[config_doc(omitted)]` will simply be omitted from the doc.
292///
293/// Here is the method generated by this macro:
294///
295/// ```ignore
296/// impl Foo {
297/// pub fn config_docs(name: String, docs: &mut std::collections::BTreeMap<String, Vec<(String, String)>>)
298/// }
299/// ```
300///
301/// In `test_example_up_to_date`, we further process the output of this method to generate a markdown in src/config/docs.md.
302#[proc_macro_derive(ConfigDoc, attributes(config_doc))]
303pub fn config_doc(input: TokenStream) -> TokenStream {
304 let input = parse_macro_input!(input);
305
306 let r#gen = config_doc::generate_config_doc_fn(input);
307
308 r#gen.into()
309}