Is it possible to write a Rust macro that will expand into a function/method signature?
Asked Answered
F

1

15

I would love to be able to something like the following:

macro_rules! impl_a_method(
    ($obj:ident, $body:block) => (
        fn a_method(foo: Foo, bar: Bar, baz: Baz) -> $obj $body
    )
)

// Implementation would look like:

impl_a_method!(MyType, {
    MyType {
        foo: foo.blah(),
        bar: bar.bloo(),
        baz: baz.floozy(),
    }
})

My real-world example features methods with much larger signatures which I have to implement in unique ways for 30+ different types.

I have tried something similar to the above macro, however I run into errors where rustc considers foo, bar and baz unresolved names at the expansion site (even though I'm sure the macro declaration lexically precedes the use).

Is it possible to do something like this?

If not, can you recommend an approach that would achieve something similar?

Ferebee answered 23/7, 2014 at 8:15 Comment(0)
S
11

That's not possible due to macro hygiene. Any identifier introduced in the macro body is guaranteed to be different from any identifier at the macro call site. You have to provide all identifiers yourself, which somewhat defies the purpose of the macro:

impl_a_method!(MyType, (foo, bar, baz), {
    MyType {
        foo: foo.blah(),
        bar: bar.bloo(),
        baz: baz.floozy(),
    }
})

This is done by this macro:

macro_rules! impl_a_method(
    ($obj:ty, ($_foo:ident, $_bar:ident, $_baz:ident), $body:expr) => (
        fn a_method($_foo: Foo, $_bar: Bar, $_baz: Baz) -> $obj { $body }
    )
)

The only thing you're really saving here is writing types of method parameters.

Scabbard answered 23/7, 2014 at 8:40 Comment(4)
"macro hygiene" is actually a pretty well-defined idea: en.wikipedia.org/wiki/Hygienic_macroBleareyed
In Julia there is the function esc which makes introduced symbols be as-is and not be transformed to unique names (gensymed). Is there no such thing in Rust?Moonrise
@PostSelf I don't think there is - the only way to get an unescaped identifier is to pass it externally. I believe this is done on purpose.Scabbard
I would love to know if this is at least possible with proc macros? I have tried writing one and it doesn't seem to work but I don't know if it's just because I'm doing something wrong. hygiene shouldn't be an obstacle for a prog macro since they aren't hygienic in general.Rosenkranz

© 2022 - 2024 — McMap. All rights reserved.