MATLAB: Constructing a a family of anonymous functions by recursion.

anonymous functionsrecursion

I'm trying to define a sequence of functions recursively. The example below (which is obviously silly) illustrates the idea, which is to construct
f{:} such that
f{i}(x) = f{ii-1}(x)^2
The problem with the code below is that
f{3} = f{2} = @(x)RecursiveFun(x,f{ii-1})
whereas I want
f{2} = @(x)RecursiveFun(x,f{1})
f{3} = @(x)RecursiveFun(x,f{2})
In short, for some reason matlab is not substituting in the passed value of ii.
Obviously I can accomplish what I want by creating a loop of strings and eval'ing each string to create the desired anonymous functions, but everybody on this forum always says not to use eval's.
Thanks for any help!
Here's the code
f{1} = @(x) x^2;
Recursivefun = @(x,F) F(x)^2;
for ii=2:3;
f{ii} = @(x) RecursiveFun(x,f{ii-1});
end;
disp(['f{2}=']);
f{2}
disp(['f{3}=']);
f{3}

Best Answer

Be careful that matlab is case sensitive, you have Recursivefun and RecursiveFun.
Your code works. Yes, matlab has not replaced the ii by its actual value, but the value of ii is actually embedded in the anonymous function (anonymous functions are closure). So for f{3}, the value of ii is fixed at 3 (and you can't actually change it after the declaration), and for f{2}, the value of ii is fixed at 2.
You can actually check that:
>> metafn = functions(f{3})
metafn =
struct with fields:
function: '@(x)RecursiveFun(x,f{ii-1})'
type: 'anonymous'
file: ''
workspace: {[1×1 struct]}
within_file_path: '__base_function'
>> metafn.workspace{1}
ans =
struct with fields:
RecursiveFun: @(x,F)F(x)^2
f: {@(x)x^2 @(x)RecursiveFun(x,f{ii-1})}
ii: 3
>> metafn = functions(f{2});
>> metafn.workspace{1}.ii
ans =
2
And your function actually produces the correct result:
>>f{3}(2)
ans =
256
The only way to get the index value explicitly embedded in the function code is with the dreaded eval:
for ii = 2:3
f{ii} = eval(sprintf('@(x)RecursiveFun(x,f{%d})', ii-1));
end
but as explained it's not necessary. The only benefit is to make it easier for you to see which value is embedded in the function (which you have to balance over the loss of actual syntax check and readability of the loop code). Matlab is happy either way.