在 PowerShell 中否定条件
Rohan Timalsina
2022年5月16日
PowerShell 有不同的决策语句来执行代码,就像其他编程语言一样。你可以在 PowerShell 脚本中使用条件进行决策。脚本根据这些决定执行不同的操作。如果条件为 true
,它将执行一个命令,如果条件为 false
,它将执行另一个命令。
PowerShell 中最常用的语句之一是 If
语句。它具有三种类型:if
语句、if-else
语句和嵌套 if
语句。PowerShell 还使用 switch
语句作为条件语句。
这是 if
语句的一个简单示例。
if(5 -lt 7){
Write-Host "5 is less than 7"
}
如果 5 小于 7,则执行 Write-Host
命令。
输出:
5 is less than 7
逻辑运算符连接 PowerShell 中的条件语句,允许你测试多个条件。PowerShell 支持 -and
、-or
、-xor
、-not
和 !
逻辑运算符。本教程将教你否定 PowerShell 中的条件。
使用 -not
运算符否定 PowerShell 中的条件
-not
是一个逻辑运算符,用于否定 PowerShell 中的语句。你可以使用 -not
运算符来否定 PowerShell 中的条件。
if (-not (5 -lt 7)){
Write-Host "5 is less than 7"
}
这一次,它不打印任何输出,因为使用 -not
运算符时条件变为否定。它说 5 is less than 7
,这是错误的。
现在,让我们用 -not
运算符测试另一个条件 5 大于 7
。
if (-not (5 -gt 7)){
Write-Host "5 is less than 7"
}
它打印输出,因为 5 不大于 7
为真。
输出:
5 is less than 7
在 PowerShell 中采用 !
运算符否定条件
你也可以使用!
运算符来否定 PowerShell 中的条件。它与 -not
运算符相同。
我们有两个变量,$a
和 $b
,其值如下。
$a=3; $b=9
在这里,条件变为 $a 不小于 $b
与 !
运算符。如果条件为 true
,则执行第一个命令,如果条件为 false
,则执行第二个命令。
if (! ($a -lt $b)){
Write-Host "$a is greater than $b"
}
else{
Write-Host "$a is less than $b"
}
输出:
3 is less than 9
Author: Rohan Timalsina