出口功能

时间:2013-09-04 17:04:39

标签: powershell powershell-v2.0 powershell-v3.0

我正在尝试创建一个用户必须提供不能包含空字符串的文件名的函数。除此之外,字符串不能包含点。当我运行这个函数时,我在输入“test”时会继续循环。知道为什么?

 function Export-Output {
     do {
         $exportInvoke = Read-Host "Do you want to export this output to a new .txt file? [Y/N]"
     } until ($exportInvoke -eq "Y" -or "N")

     if ($exportInvoke -eq "Y") {
        do {
           $script:newLog = Read-Host "Please enter a filename! (Exclude the extension)"
           if ($script:newLog.Length -lt 1 -or $script:newLog -match ".*") {
               Write-Host "Wrong input!" -for red
           }
       } while ($script:newLog.Length -lt 1 -or $script:newLog -match ".*")

       ni "$script:workingDirectory\$script:newLog.txt" -Type file -Value $exportValue | Out-Null
    }
}

编辑:

在相关说明中:

do {
    $exportInvoke = Read-Host "Do you want to export this output to a new .txt file? [Y/N]"
} until ($exportInvoke -eq "Y" -or "N")

当我使用这些代码行时,我只需按Enter即可绕过Read-Host。当我用"Y" -or "N"替换"Y"时,它不会。知道为什么会这样吗?

2 个答案:

答案 0 :(得分:2)

-match运算符检查正则表达式,所以:

$script:newLog -match ".*"

正在测试文件名是否包含除换行(.)0或更多次(*)之外的任何字符。这种情况总是如此,从而产生无限循环。

如果要测试文字点,则必须将其转义:

$script:newLog -match '\.'

至于你的另一个问题,你误解了逻辑和比较运算符的工作原理。 $exportInvoke -eq "Y" -or "N"并不意味着$exportInvoke -eq ("Y" -or "N"),即变量等于“Y”或“N”。这意味着($exportInvoke -eq "Y") -or ("N")。由于表达式"N"不是evaluate to zero,因此PowerShell将其解释为$true,因此您的条件变为($exportInvoke -eq "Y") -or $true,这始终为真。您需要将条件更改为:

$exportInvoke -eq "Y" -or $exportInvoke -eq "N"

答案 1 :(得分:1)

用它来测试你的输入:

!($script:newLog.contains('.')) -and !([String]::IsNullOrEmpty($script:newLog)) -and !([String]::IsNullOrWhiteSpace($script:newLog))

您的正则表达式(-match ".*"基本上与所有内容相匹配。