参数传递给在PowerShell中脚本块参数传递给在PowerShell中脚本块(Pass argu

2019-05-11 21:17发布

我想你不能只是这样做:

  $servicePath = $args[0]

  if(Test-Path -path $servicePath) <-- does not throw in here

  $block = {

        write-host $servicePath -foreground "magenta"

        if((Test-Path -path $servicePath)) { <-- throws here.

              dowork 
        }
  }

所以,我怎么能够通过我的变量到脚本块$块?

Answer 1:

Keith的回答也适用于Invoke-Command ,与您不能使用命名参数的极限。 该参数应该使用设置-ArgumentList参数,应该用逗号隔开。

$sb = {param($p1,$p2) $OFS=','; "p1 is $p1, p2 is $p2, rest of args: $args"}
Invoke-Command $sb -ArgumentList 1,2,3,4

另请参见这里和这里 。



Answer 2:

一个脚本块就是一个匿名函数。 您可以使用$args的脚本块内以及声明PARAM块,例如

$sb = {
  param($p1, $p2)
  $OFS = ','
  "p1 is $p1, p2 is $p2, rest of args: $args"
}
& $sb 1 2 3 4
& $sb -p2 2 -p1 1 3 4


Answer 3:

顺便说一句,如果用脚本块以在一个单独的线程(多线程)执行命令

$ScriptBlock = {
    param($AAA,$BBB) 
    return "AAA is $($AAA) and BBB is $($BBB)"
}

$AAA = "AAA"
$BBB = "BBB1234"    
$null = Start-Job $ScriptBlock -ArgumentList $AAA,$BBB

然后得出:

$null = Start-Job $ScriptBlock -ArgumentList $AAA,$BBB    
Get-Job | Receive-Job
AAA is AAA and BBB is BBB1234


Answer 4:

我知道这篇文章是有点过时,但我想抛出此作为一个可能的选择。 只是以前的答案稍有不同。

$foo = {
    param($arg)

    Write-Host "Hello $arg from Foo ScriptBlock" -ForegroundColor Yellow
}

$foo2 = {
    param($arg)

    Write-Host "Hello $arg from Foo2 ScriptBlock" -ForegroundColor Red
}


function Run-Foo([ScriptBlock] $cb, $fooArg){

    #fake getting the args to pass into callback... or it could be passed in...
    if(-not $fooArg) {
        $fooArg = "World" 
    }
    #invoke the callback function
    $cb.Invoke($fooArg);

    #rest of function code....
}

Clear-Host

Run-Foo -cb $foo 
Run-Foo -cb $foo 

Run-Foo -cb $foo2
Run-Foo -cb $foo2 -fooArg "Tim"


Answer 5:

默认情况下,PowerShell中不会捕捉一个脚本块变量。 你可以通过调用明确地捕捉GetNewClosure()就可以了,但是:

$servicePath = $args[0]

if(Test-Path -path $servicePath) <-- does not throw in here

$block = {

    write-host $servicePath -foreground "magenta"

    if((Test-Path -path $servicePath)) { <-- no longer throws here.

          dowork 
    }
}.GetNewClosure() <-- this makes it work


文章来源: Pass arguments to a scriptblock in powershell