Background
I too have been seeking a way to modify the worksheet in ways typically forbidden to UDFs. I was intrigued by @Cem Firat's answer here, which used Application.Evaluate()
Sub UDFfunction()
Evaluate "otherfunc(""abc"")"
End Sub
Public Function otherfunc(ByVal str As String)
ActiveSheet.Cells(1, 1).Value = str
End Function
to evaluate forbidden code as a String
. This successfully disassociates UDFfunction()
from restrictions that prevent it from modifying other cells: Cells(1, 1).Value = ...
.
However, hacking strings is unstable for calls with complex arguments, and UDFfunction()
should only use it ("otherfunc(""abc"")"
) as a last resort.
Theory
After some experimentation, I seem to have discovered an alternative, which I call "pseudoinvocation". It simulates a call Fun(arg_1, arg_2, ..., arg_n)
from within a UDF, where Fun()
performs actions that are typically forbidden to UDFs.
- Define the
Private
variables param_1
, param_2
, ..., param_n
at a modular scope; and
- define the
Private
function Call_Fun()
with no arguments, which in turn makes a call to Fun(param_1, param_2, ..., param_n)
.
When you want some UDF My_UDF()
to call Fun(arg_1, arg_2, ..., arg_n)
, then simply write My_UDF()
to
- set the modular variables to the values of the intended arguments:
param_1 = arg_1
, param_2 = arg_2
, ..., param_n = arg_n
; then
- perform pseudoinvocation via
Application.Evaluate("Call_Fun()")
.
Application
As an improvement upon Cem's answer, pseudoinvocation could be applied in a standard module like so:
' The role of param_1 as a (pseudo)parameter to Fun().
Private pseudo_str As String
' The role of My_UDF().
Public Function UDFfunction()
' Pass the (pseudo)argument ("abc") in the role of arg_1, to the
' (pseudo)parameter (pseudo_str) in the role of param_1.
pseudo_str = "abc"
' Perform pseudoinvocation of otherfunc() with that argument.
UDFfunction = Application.Evaluate("Call_otherfunc()")
End Sub
' The role of Fun().
Public Function otherfunc(ByVal str As String)
ActiveSheet.Cells(1, 1).Value = str
End Function
' The role of Call_Fun().
Private Function Call_otherfunc()
otherfunc(psuedo_str)
End Function
This could be further simplified to:
' A (psuedo)parameter to otherfunc().
Private pseudo_str As String
' Only this UDFfunction() is exposed for public use.
Public Function UDFfunction()
pseudo_str = "abc"
UDFfunction = Application.Evaluate("otherfunc()")
End Sub
' The helper function takes the (psuedo)parameter.
Private Function otherfunc()
ActiveSheet.Cells(1, 1).Value = psuedo_str
End Function