Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Powershell script not recognizing my function

I have a powershell script that parses a file and send an email if it detects a certain pattern. I have the email code setup inside a function, and it all works fine when I run it from the ISE, but I used PS2EXE to be able to run the script as a service but it does not recognize the function "email". my code looks similar to this

#Do things | 
foreach{
    email($_)
}

function email($text){
    #email $text
}

When I convert it to exe and run it I get this error:

The term 'email' is not recognized as teh name of a cmdlet, function, script file, 
or operable program. Check the spelling of the name, or if a path was included, 
verify that the path is correct and try again.
like image 476
laitha0 Avatar asked Jun 27 '13 15:06

laitha0


2 Answers

Powershell processes in order (top-down) so the function definition needs to be before the function call:

function email($text){
    #email $text
}

#Do things | 
foreach{
    email($_)
}

It probably works fine in the ISE because you have the function definition in memory still from a prior run or test.

like image 60
JNK Avatar answered Oct 10 '22 17:10

JNK


When it comes to the Function-Calls, PowerShell is fairly different from other programming-languages in the following ways:

  1. When passing the arguments to a function, parentheses are NOT allowed (and will raise a parse error if Set-StrictMode is set to -version 2.0 or above/Latest), however, Parenthesised arguments must be used to call a method, which can either be a .NET method or a user defined method (defined within a Class - in PS 5.0 or above).

  2. Parameters are space-separated and not comma separated.

  3. Be careful in where you define the function. As PowerShell sequentially processes line-by-line in top-down order, hence the function must be defied before that function is called:

        Function func($para1){
              #do something
        }
        func "arg1"  #function-call
    

In Windows PowerShell ISE (or Visual Studio Code) if a function-call appears to be working even though the function-definition is defined below the function-call, (beware) this is because it's cached in memory from a previous execution(s), which too will fail as soon as you update the function-definition.

like image 45
Eddie Kumar Avatar answered Oct 10 '22 18:10

Eddie Kumar