8
votes

I want to answer this question using metaprogramming, but the scoping rules of for loops are causing my variables to not be defined in the upper-most (REPL) scope:

for x = [:A1, :A2]
   @eval x = rand(2,2)
end

I know there's probably an easy way around this, but my Friday night brain can't think of one. Can one of you metaprogramming junkies help me find a succinct solution? (I realize a macro might work with escaping, but I'm trying to think of something shorter)

1
I saw that too and wondered how you would metaprogram it if you had a hundred A's. for x=1:100 and then what? How can variable names be made programmatically? - rickhg12hs
Answered my own comment/question. for k=1:10 my_sym = symbol("A"*string(k)); @eval $my_sym = rand(2,2) end (Shown here generating A1 through A10.) - rickhg12hs

1 Answers

11
votes

If you only want to define the variables in the global scope, you're just missing a $:

for x = [:A1, :A2]
    @eval $x = rand(2,2)
end

But @eval is always evaluated at top level even if you put it inside a function. If you want to define the variables in a function scope, you need to put the entire function inside @eval, construct the code block, and interpolate it into the function:

@eval function f()
    ...
    $([:($x = rand(2, 2)) for x in [:A1, :A2]]...)
    ...
end

This code can also be trivially adapted into a macro (but then it does need esc).