Question:
If I have a .ps1 file with the following functions
1 2 3 4 |
function SomeFunction {} function AnotherFunction {} |
How can I get a list of all those functions and invoke them?
I’d like to do something like this:
1 2 3 4 5 6 |
$functionsFromFile = Get-ListOfFunctions -Path 'C:\someScript.ps1' foreach($function in $functionsFromFile) { $function.Run() #SomeFunction and AnotherFunction execute } |
Answer:
You could use the Get-ChildItem
to retrieve all functions and store them into a variable. Then load the script into to runspace and retrieve all functions again and use the Where-Object
cmdlet to filter all new functions by excluding all previously retrieved functions. Finally iterate over all new functions and invoke them:
1 2 3 4 5 6 7 8 9 |
$currentFunctions = Get-ChildItem function: # dot source your script to load it to the current runspace . "C:\someScript.ps1" $scriptFunctions = Get-ChildItem function: | Where-Object { $currentFunctions -notcontains $_ } $scriptFunctions | ForEach-Object { & $_.ScriptBlock } |