tags:

views:

557

answers:

2

I have a powershell script that contains several function. How do I invoke, from the command line, a specific function?

This doesn't work:

powershell -File script.ps1 -Command My-Func
A: 

Perhaps something like

powershell -command "& { script1.ps; My-Func }"
Tomer Gabel
+7  A: 

You would typically "dot" the script into scope (global, another script, within a scriptblock). Dotting a script will both load and execute the script within that scope without creating a new, nested scope. With functions, this has the benefit that they stick around after the script has executed. You could do what Tomer suggests except that you would need to dot the script e.g.:

powershell -command "& { . <path>\script1.ps1; My-Func }"

If you just want to execute the function from your current PowerShell session then do this:

. .\script.ps1
My-Func

Just be aware that any script not in a function will be executed and any script variables will become global variables.

Keith Hill