You only need to make one change to make your example work - redefine your function to use substitute()
to 'fix' the desired values within the scope of f()
:
f <- function(env,z) {
eval(substitute(x+z,list(z=z)), env)
}
This can quickly get murky especially since you can even include assignment statements within substitute()
(for instance, replace x+z
with y <- x+z
, not that this is entirely relevant here) but that choice can be made by the developer...
Additionally, you can replace list(z=z)
in the substitution expression above with environment()
(e.g., substitute(x+z,environment())
) as long as you don't have conflicting variable names between those passed to f()
and those residing in your 'env', but you may not want to take this too far.
Edit: Here are two other ways, the first of which is only meant to show the flexibility in manipulating environments and the second is more reasonable to actually use.
1) modify the enclosing environment of 'env' (but change it back to original value before exiting function):
f <- function(env,z) {
e <- environment(env)
environment(env) <- environment()
output <- with(env,x+z)
environment(env) <- e
output
}
2) Force evaluation of 'z' in current environment of the function (using environment()
) rather than letting it remain a free variable after evaluation of the expression, x+z
, in 'env'.
f <- function(env,z) {
with(environment(),with(env,x+z))
}
Depending on your desired resolution order, in case of conflicting symbol-value associations - e.g., if you have 'x' defined in both your function environment and the environment you created, 'y' (which value of 'x' do you want it to assume?) - you can instead define the function body to be with(env,with(environment(),x+z))
.