如何在PowerShell中检查变量是否在数组中?

时间:2017-02-01 17:16:31

标签: arrays powershell if-statement for-loop compare

我正在尝试在powershell中创建对邮箱权限的审核,并希望在powershell脚本中从输出中删除特定帐户,而不是之后手动删除。

为了做到这一点,我正在寻找一种方法来比较数组内容与powershell中的单个字符串。

例如,如果我要声明一个数组:

$array = "1", "2", "3", "4"

然后我想找到一种方法来做类似下面的事情:

$a = "1"
$b = "5"

if ($a -ne *any string in $array*) {do something} #This should return false and take no action

if ($b -ne *any string in $array*) {do something} #This should return true and take action

我对如何实现这一点感到茫然,感谢任何帮助

2 个答案:

答案 0 :(得分:8)

您有几种不同的选择:

$array = "1", "2", "3", "4"

$a = "1"
$b = "5"

#method 1
if ($a -in $array)
{
    Write-Host "'a' is in array'"
}

#method 2
if ($array -contains $a)
{
    Write-Host "'a' is in array'"
}

#method 3
if ($array.Contains($a))
{
    Write-Host "'a' is in array'"
}

#method 4
$array | where {$_ -eq $a} | select -First 1 | %{Write-Host "'a' is in array'"}

答案 1 :(得分:0)

或者...

[Int32[]] $data        = @( 1, 2, 3, 4, 5, 6 );
[Int32[]] $remove_list = @( 2, 4, 6 );

$data | Where-Object { $remove_list -notcontains $_ }

(返回1,3和5)