rename_item/
lib.rs

1#![doc = include_str!("../README.md")]
2#![forbid(unsafe_code)]
3#![warn(clippy::missing_docs_in_private_items)]
4
5use darling::{ast::NestedMeta, FromMeta};
6use heck::{ToLowerCamelCase, ToShoutySnakeCase, ToSnakeCase, ToUpperCamelCase};
7use proc_macro::TokenStream;
8use proc_macro2::Span;
9use quote::ToTokens;
10use syn::{
11    parse::{discouraged::Speculative, Parse},
12    parse_macro_input, parse_str, ForeignItem, Ident, Item, Lit, Meta,
13};
14
15/// Changes the name of the annotated item.
16///
17/// This macro changes the name of an item, which might make it difficult to refer to this item
18/// later. The [`renamed!`] macro can be used to obtain the new name of the item.
19///
20/// The name is given by a mix of string literals and identifiers, which are concatenated and
21/// adjusted to a given case style. Fixed prefix and suffix strings can also be provided, and will
22/// not be adjusted to the case style. For further information on how names are generated, refer to
23/// the [module-level documentation](self).
24///
25/// The target case style can be omitted. In that case the default case style for the item's type
26/// will be used: `snake_case` for functions and modules, `SHOUTY_SNAKE_CASE` for constants and
27/// statics, and `UpperCamelCase` for types and traits.
28///
29/// # Examples
30///
31/// ```
32/// # use rename_item::rename;
33/// #
34/// #[rename(name = "my-constant")]
35/// const foo: u32 = 1;
36/// assert_eq!(MY_CONSTANT, 1);
37///
38/// #[rename(name(my, "constant"), case = "upper_camel", prefix = "_")]
39/// const foo: u32 = 2;
40/// assert_eq!(_MyConstant, 2);
41/// ```
42#[proc_macro_attribute]
43pub fn rename(args: TokenStream, item: TokenStream) -> TokenStream {
44    // Parse attribute and item
45    let args = match NestedMeta::parse_meta_list(args.into()) {
46        Ok(v) => v,
47        Err(e) => {
48            return e.into_compile_error().into();
49        }
50    };
51    let mut item = parse_macro_input!(item as InputItem);
52
53    // Convert macro input to target name
54    let name = MacroInput::from_list(&args).and_then(|input| input.into_name(Some(&item)));
55
56    // Apply target name to the item
57    let toks = name.and_then(|name| {
58        let ident = Ident::new(&name, Span::call_site());
59        set_ident(&mut item, ident)?;
60        Ok(item.into_token_stream())
61    });
62
63    // Handle errors
64    match toks {
65        Ok(toks) => toks,
66        Err(err) => err.write_errors(),
67    }
68    .into()
69}
70
71/// Expands to the name of an item.
72///
73/// This macro expands to the name specified by the macro arguments. To apply this name to an item,
74/// use the [`macro@rename`] macro.
75///
76/// The name is given by a mix of string literals and identifiers, which are concatenated and
77/// adjusted to a given case style. Fixed prefix and suffix strings can also be provided, and will
78/// not be adjusted to the case style. For further information on how names are generated, refer to
79/// the [module-level documentation](self).
80///
81/// The prefix and suffix strings can be used to extend the generated name beyond a single
82/// identifier. In this way, arbitrary tokens can be inserted before or after the generated name.
83/// This is useful for surrounding the generated name with additional path components (e.g.
84/// `Self::`) or expressions (e.g. `1+`).
85///
86/// # Examples
87///
88/// ```
89/// # use rename_item::renamed;
90/// #
91/// # let foo_bar = 1;
92/// assert_eq!(renamed!(case = "snake", name = "foo-bar"), foo_bar);
93///
94/// # let fooBar1 = 2;
95/// assert_eq!(
96///     renamed!(case = "lower_camel", name(foo, "bar"), suffix = "1"),
97///     fooBar1
98/// );
99///
100/// assert_eq!(
101///     renamed!(case = "snake", name = "foo-bar", prefix = "1+"),
102///     1 + foo_bar
103/// );
104/// ```
105///
106/// The case style cannot be inferred from the item's type and must always be specified. The
107/// following code fails to compile:
108///
109/// ```compile_fail
110/// # use rename_item::renamed;
111/// renamed!(name = "foo")
112/// ```
113#[proc_macro]
114pub fn renamed(args: TokenStream) -> TokenStream {
115    // Parse attribute
116    let args = match NestedMeta::parse_meta_list(args.into()) {
117        Ok(v) => v,
118        Err(e) => {
119            return e.into_compile_error().into();
120        }
121    };
122
123    // Convert macro input to target name
124    let name = MacroInput::from_list(&args).and_then(|input| input.into_name(None));
125
126    // Convert name to token stream and handle errors
127    match name {
128        Ok(name) => match parse_str(&name) {
129            Ok(toks) => toks,
130            Err(err) => err.into_compile_error(),
131        },
132        Err(err) => err.write_errors(),
133    }
134    .into()
135}
136
137/// Input to the [`rename`] and [`renamed`] macros
138#[derive(Debug, FromMeta)]
139struct MacroInput {
140    /// Case style used to build the output string
141    #[darling(default)]
142    case:   Option<CaseStyle>,
143    /// Individual words of the name
144    name:   Words,
145    /// Prefix for the output string
146    #[darling(default)]
147    prefix: String,
148    /// Suffix for the output string
149    #[darling(default)]
150    suffix: String,
151}
152
153/// Case style
154#[derive(Clone, Copy, PartialEq, Eq, Debug)]
155enum CaseStyle {
156    /// Upper camel case: `FooBar`
157    UpperCamel,
158    /// Lower camel case: `fooBar`
159    LowerCamel,
160    /// Snake case: `foo_bar`
161    Snake,
162    /// Shouty snake case: `FOO_BAR`
163    ShoutySnake,
164}
165
166impl FromMeta for CaseStyle {
167    fn from_string(value: &str) -> darling::Result<Self> {
168        // Convert string to case style. Case styles must be specified in snake case.
169        match value {
170            "upper_camel" => Ok(Self::UpperCamel),
171            "lower_camel" => Ok(Self::LowerCamel),
172            "snake" => Ok(Self::Snake),
173            "shouty_snake" => Ok(Self::ShoutySnake),
174            _ => Err(darling::Error::unknown_value(value)),
175        }
176    }
177}
178
179/// Individual words of the name
180#[derive(Debug)]
181struct Words(Vec<String>);
182
183impl FromMeta for Words {
184    fn from_list(words: &[NestedMeta]) -> darling::Result<Self> {
185        // Convert from list of string literals or identifiers, as in `name("foo", bar)`
186
187        let mut names = Vec::new();
188        let mut errors = darling::Error::accumulator();
189
190        // Convert all words to strings
191        for word in words {
192            // Handle string literals
193            if let NestedMeta::Lit(Lit::Str(s)) = word {
194                names.push(s.value());
195                continue;
196            }
197            // Handle identifiers
198            if let NestedMeta::Meta(Meta::Path(p)) = word {
199                if let Some(ident) = p.get_ident() {
200                    names.push(ident.to_string());
201                    continue;
202                }
203            }
204
205            // Otherwise, emit an error
206            errors.push(
207                darling::Error::custom("Expected string literal or identifier").with_span(word),
208            );
209        }
210
211        errors.finish_with(Self(names))
212    }
213
214    fn from_string(value: &str) -> darling::Result<Self> {
215        // Convert from single string value, as in `name = "foo"`
216        Ok(Self(vec![value.to_owned()]))
217    }
218}
219
220impl MacroInput {
221    /// Concatenates words and adjusts to case style
222    fn into_name(self, item: Option<&InputItem>) -> darling::Result<String> {
223        // Infer default case style from type of `item`
224        let case = self.case.or(match item {
225            Some(InputItem::Regular(regular)) => match regular {
226                Item::Fn(_) | Item::Mod(_) => Some(CaseStyle::Snake),
227
228                Item::Enum(_)
229                | Item::Struct(_)
230                | Item::Trait(_)
231                | Item::TraitAlias(_)
232                | Item::Type(_)
233                | Item::Union(_) => Some(CaseStyle::UpperCamel),
234
235                Item::Const(_) | Item::Static(_) => Some(CaseStyle::ShoutySnake),
236
237                _ => None,
238            },
239
240            Some(InputItem::Foreign(foreign)) => match foreign {
241                ForeignItem::Fn(_) => Some(CaseStyle::Snake),
242
243                ForeignItem::Type(_) => Some(CaseStyle::UpperCamel),
244
245                ForeignItem::Static(_) => Some(CaseStyle::ShoutySnake),
246
247                _ => None,
248            },
249
250            _ => None,
251        });
252        let case =
253            case.ok_or_else(|| darling::Error::custom("Unable to infer default case style"))?;
254
255        // Concatenate words. Insert `_` to ensure word boundary between words.
256        let name = self.name.0.join("_");
257
258        // Convert to case style
259        let name = match case {
260            CaseStyle::UpperCamel => name.to_upper_camel_case(),
261            CaseStyle::LowerCamel => name.to_lower_camel_case(),
262            CaseStyle::Snake => name.to_snake_case(),
263            CaseStyle::ShoutySnake => name.to_shouty_snake_case(),
264        };
265
266        // Prepend prefix and append suffix
267        Ok([self.prefix, name, self.suffix].concat())
268    }
269}
270
271/// Sets the identifier of an [`InputItem`]
272fn set_ident(item: &mut InputItem, ident: Ident) -> darling::Result<()> {
273    match *item {
274        InputItem::Regular(ref mut regular) => match regular {
275            Item::Const(ref mut i) => i.ident = ident,
276            Item::Enum(ref mut i) => i.ident = ident,
277            Item::ExternCrate(ref mut i) => i.ident = ident,
278            Item::Fn(ref mut i) => i.sig.ident = ident,
279            Item::Mod(ref mut i) => i.ident = ident,
280            Item::Static(ref mut i) => i.ident = ident,
281            Item::Struct(ref mut i) => i.ident = ident,
282            Item::Trait(ref mut i) => i.ident = ident,
283            Item::TraitAlias(ref mut i) => i.ident = ident,
284            Item::Type(ref mut i) => i.ident = ident,
285            Item::Union(ref mut i) => i.ident = ident,
286
287            _ => {
288                return Err(darling::Error::custom("Unsupported item type"));
289            }
290        },
291
292        InputItem::Foreign(ref mut foreign) => match foreign {
293            ForeignItem::Fn(ref mut i) => i.sig.ident = ident,
294            ForeignItem::Static(ref mut i) => i.ident = ident,
295            ForeignItem::Type(ref mut i) => i.ident = ident,
296
297            _ => {
298                return Err(darling::Error::custom("Unsupported foreign-item type"));
299            }
300        },
301    }
302    Ok(())
303}
304
305/// An item we can rename: either a regular or a foreign item
306#[derive(Clone, Debug, PartialEq, Eq, Hash)]
307enum InputItem {
308    /// A regular item, not inside an `extern` block
309    Regular(Item),
310    /// A foreign item, inside an `extern` block
311    Foreign(ForeignItem),
312}
313
314impl Parse for InputItem {
315    fn parse(input: syn::parse::ParseStream) -> syn::Result<Self> {
316        let ahead = input.fork();
317
318        if let Some(item) = Item::parse(&ahead)
319            .ok()
320            .filter(|it| !matches!(it, Item::Verbatim(_)))
321        {
322            input.advance_to(&ahead);
323            Ok(Self::Regular(item))
324        } else if let Some(item) = ForeignItem::parse(input)
325            .ok()
326            .filter(|it| !matches!(it, ForeignItem::Verbatim(_)))
327        {
328            Ok(Self::Foreign(item))
329        } else {
330            Err(input.error("unsupported item type"))
331        }
332    }
333}
334
335impl ToTokens for InputItem {
336    fn to_tokens(&self, tokens: &mut proc_macro2::TokenStream) {
337        match self {
338            Self::Regular(item) => item.to_tokens(tokens),
339            Self::Foreign(item) => item.to_tokens(tokens),
340        }
341    }
342}
343
344/// Additional compile-fail tests, as doctests for convenience:
345///
346/// The `name` argument does not take a list of lists:
347///
348/// ```compile_fail
349/// # use rename_item::rename;
350/// #[rename(name(foo, foo(bar)))]
351/// fn foo() {}
352/// ```
353///
354/// The `name` argument is required:
355///
356/// ```compile_fail
357/// # use rename_item::rename;
358/// #[rename(case = "snake")]
359/// fn foo() {}
360/// ```
361///
362/// The `case` argument must be a string literal:
363///
364/// ```compile_fail
365/// # use rename_item::rename;
366/// #[rename(name = "foo", case(snake))]
367/// fn foo() {}
368/// ```
369///
370/// The `case` argument must be one of the supported cases:
371///
372/// ```compile_fail
373/// # use rename_item::rename;
374/// #[rename(name = "foo", case = "nonexistent")]
375/// fn foo() {}
376/// ```
377///
378/// Also test renaming of all possible types of items:
379///
380/// ```
381/// use rename_item::rename;
382///
383/// extern "C" {
384///     // Foreign fn
385///     #[rename(name = "my-ffn")]
386///     fn foo() -> i32;
387///
388///     // Foreign static
389///     #[rename(name = "my-fs")]
390///     static foo: i32;
391/// }
392///
393/// // Const
394/// #[rename(name = "my-const")]
395/// const foo: i32 = 1;
396/// assert_eq!(MY_CONST, 1);
397///
398/// // Enum
399/// #[rename(name = "my-enum")]
400/// enum foo {
401///     A,
402///     B,
403/// }
404/// MyEnum::A;
405///
406/// // Fn
407/// #[rename(name = "my-fn")]
408/// fn foo(_: i32) {}
409/// my_fn(1);
410///
411/// // Mod
412/// #[rename(name = "my-mod")]
413/// mod foo {
414///     pub const A: i32 = 1;
415/// }
416/// assert_eq!(my_mod::A, 1);
417///
418/// // Static
419/// #[rename(name = "my-static")]
420/// static foo: i32 = 1;
421/// assert_eq!(MY_STATIC, 1);
422///
423/// // Struct
424/// #[rename(name = "my-struct")]
425/// struct foo {
426///     a: i32,
427/// }
428/// MyStruct { a: 1 };
429///
430/// // Trait
431/// #[rename(name = "my-trait")]
432/// trait foo {}
433/// impl MyTrait for i32 {}
434///
435/// // Type
436/// #[rename(name = "my-type")]
437/// type foo = i32;
438/// let _: MyType = 1;
439///
440/// // Union
441/// #[rename(name = "my-union")]
442/// union foo {
443///     a: i32,
444/// }
445/// MyUnion { a: 1 };
446/// ```
447#[cfg(doctest)]
448struct AdditionalTests;
449
450#[cfg(test)]
451mod tests {
452    use crate::*;
453
454    /// Tests some simple case conversions for all available case styles
455    #[test]
456    fn simple_case_conversion() {
457        let tests = [
458            (CaseStyle::LowerCamel, "_-fooBarBaz-_"),
459            (CaseStyle::UpperCamel, "_-FooBarBaz-_"),
460            (CaseStyle::Snake, "_-foo_bar_baz-_"),
461            (CaseStyle::ShoutySnake, "_-FOO_BAR_BAZ-_"),
462        ];
463
464        for test in tests {
465            let name = MacroInput {
466                case:   Some(test.0),
467                name:   Words(vec!["foo-bar".into(), "Baz".into()]),
468                prefix: "_-".into(),
469                suffix: "-_".into(),
470            }
471            .into_name(None)
472            .unwrap();
473
474            assert_eq!(name, test.1);
475        }
476    }
477}