Predictably, when I do metaprogramming, I end up confused.
I create functions that take user-defined function as an input - very flexible. But when the user writes a script to use my function, each time they parse the script, their function is parsed afresh, and so becomes, in the compiler’s eye, a new function, of a new type, even if unchanged by the user. This in turns causes my functions to be recompiled every time the user executes the script.
This motivates my little project: a macro that prevents reparsing of unmodified functions. The user gives a tag
(a variable in the user’s scope) to which the code of the function will be assigned, allowing to detect any change in the code
macro once(tag,ex)
ex = esc(ex)
tag = esc(tag)
return quote
if ~@isdefined($tag) || $tag≠$ex
$tag = $ex
$ex
end
end
end
I test it with
@once tag_in_callers_scope g(x) = 3
The macro does not compile, I get the error
ERROR: LoadError: MethodError: no method matching var"@isdefined"(::LineNumberNode, ::Module, ::Expr)
Closest candidates are:
var"@isdefined"(::LineNumberNode, ::Module, ::Symbol)
If I delete ~@isdefined $tag ||
the macro does generate code (that is not worth executing).
The error message could suggest that while interpolating an escaped Expr
containing a single Symbol
works as intended in general, in the context of interpolating arguments to a macro, this works differently.
On the other hand, even if I do not escape tag
(it’s then a Symbol
, I checked with typeof
), I get the same error (code not worth executing).
And then, if instead of taking tag
as an input to @once
, I generate it inside the macro with tag = gensym("tag")
, the macro compiles (code not worth executing).
I am at the stage where the only question I can formulate is “what on earth…?”.