将数组传递给使用-File参数执行的PowerShell脚本

时间:2014-11-27 15:17:49

标签: arrays powershell parameters

我有一个简单的脚本,它带有数组参数:

param(
    [Parameter(Mandatory=$true)]
    [string[]]$keys
)

for ($i = 0; $i -lt $keys.Length; ++$i) {
    Write-Host "$i. $($keys[$i])"
}

我需要通过powershell和-File参数执行它(为了解决TeamCity错误),如下所示:

powershell.exe -File Untitled2.ps1 -keys a

如何将参数作为数组传递给我的脚本?只要我传递单键,它就能很好地工作,但它不想占用多个元素。

我试过跟随其他人:

powershell.exe -File Untitled2.ps1 -keys a,b
powershell.exe -File Untitled2.ps1 -keys:a,b
powershell.exe -File Untitled2.ps1 -keys $keys # where $keys is an array

无论我尝试过什么,我都有“无法找到位置参数”错误,或者所有键都连接在第一个数组元素中。

有什么想法吗?

1 个答案:

答案 0 :(得分:7)

这是另一种尝试。请注意参数声明中的ValueFromRemainingArguments=$true

param([parameter(Mandatory=$true,ValueFromRemainingArguments=$true)]
    [string[]]$keys)
for ($i = 0; $i -lt $keys.Length; ++$i) {
    Write-Host "$i. $($keys[$i])"
}

然后我使用-file参数通过powershell.exe调用脚本:

powershell.exe -File d:\scripts\array.ps1 "1" "a" "c"

这可以将所有这些参数作为数组传递,输出为:

0. 1
1. a
2. c

如果您需要传递其他参数,可以按常规方式命名,例如:

param([parameter(Mandatory=$true,ValueFromRemainingArguments=$true)]
    [string[]]$keys,
    [string] $dummy)

您可以传递其他参数,例如:

powershell.exe -File d:\scripts\array.ps1 "1" "a" "c" -dummy "Z"

$dummy参数在这种情况下会收到值Z,而"1" "a" "c"的值仍将作为数组分配给$keys

因此,如果更改脚本以显示$dummy的值以及其余的,我会得到:

0. 1
1. a
2. c
Dummy param is z