I am trying to create a function in which a user has to give a filename that can not containt an empty string. Besides that, the string can not contain a dot. When I run this fu
The -match
operator checks against a regular expression, so this:
$script:newLog -match ".*"
is testing if the filename contains any charachter except newline (.
) 0 or more times (*
). This condition will always be true, thus creating an infinite loop.
If you want to test for a literal dot, you must escape it:
$script:newLog -match '\.'
As for your other question, you're misunderstanding how logical and comparison operators work. $exportInvoke -eq "Y" -or "N"
does not mean $exportInvoke -eq ("Y" -or "N")
, i.e. variable equals either "Y" or "N". It means ($exportInvoke -eq "Y") -or ("N")
. Since the expression "N"
does not evaluate to zero, PowerShell interprets it as $true
, so your condition becomes ($exportInvoke -eq "Y") -or $true
, which is always true. You need to change the condition to this:
$exportInvoke -eq "Y" -or $exportInvoke -eq "N"