I'm trying to write a macro that operates on a function parameter. I handled anonymous functions of all argument lengths pretty easily by making the parameter to the macro Any
and then matching on Function(body, params)
, but I'd like to be able to pass in a reference to a function variable:
val valFunction = (something: Int) => (something * 3).toString
val functionVal = Macros.myMacro(valFunction)
I was able to use WeakTypeTag
s as per the official documentation to make this work with a function of one parameter:
def myMacro[T, U](param: T => U) = macro myMacroImpl[T, U]
def myMacroImpl[T, U](c: Context)(param: c.Expr[T => U])
(implicit tt: c.WeakTypeTag[T], implicit ut: c.WeakTypeTag[T]) = {...}
but then the macro only works for functions of one parameter. I tried checking for a member named "apply" that was also a method, but I ran into erasure issues and also was concerned about overloaded methods and the such. The workaround I'm currently cringing my way through is to create 23 macros for Function0
through Function22
, but whoo-boy I'm not happy about it. Is there another approach I can take?
A possible approach to solve this problem is to create a simple type class that would be only available for functions:
With implicit macro that materializes implicit values:
This particular implementation won't work for subtypes but you can customize it if you need more.
And then we can define a macro as:
This macro will only be expanded for functions and will fail with compile-time implicit not found error if argument is not a function. From withing a macro you can reflectively get the info about types through weak type tag of the function type.
Whole example can be found here.