1

我正在尝试使用invoke-command. 该方法的一部分包括一个ScriptBlock参数,我觉得我没有正确地做某事。

首先,我尝试在脚本中创建一个方法,如下所示:

param([string] $filename)

function ValidatePath( $file, $fileType = "container" )
{
    $fileExist = $null
    if( -not (test-path $file -PathType $fileType) )
    {               
        throw "The path $file does not exist!"
        $fileExist = false
    }
    else
    {
        echo $filename found!
        $fileExist = true
    }
    return $fileExist
}


$responseObject = Invoke-Command -ComputerName MININT-OU9K10R
    -ScriptBlock{validatePath($filename)} -AsJob

$result = Receive-Job -id $responseObject.Id

echo $result

要调用这个,我会这样做.\myScriptName.ps1 -filename C:\file\to\test。该脚本将执行,但不会调用该函数。

然后我想也许我应该把这个函数放到一个新的脚本中。这看起来像:

文件 1:

$responseObject = Invoke-Command -ComputerName MININT-OU9K10R -ScriptBlock {
  .\file2.ps1 -filename C:\something } -AsJob

$result = Receive-Job -id $responseObject.Id

echo $result

文件 2:

Param([string] $filename)

这些方法都不会执行该功能,我想知道为什么;或者,我需要做些什么才能让它发挥作用。

function ValidatePath( $file, $fileType = "container" )
{
    $fileExist = $null
    if( -not (test-path $file -PathType $fileType) )
    {               
        throw "The path $file does not exist!"
        $fileExist = false
    }
    else
    {
        echo $filename found!
        $fileExist = true
    }
    return $fileExist
}
4

1 回答 1

5

这是因为 Invoke-Command 在远程计算机上执行脚本块中的代码。远程计算机上没有定义 ValidatePath 函数,脚本文件file2.ps1在那里不存在。没有任何东西可以让远程计算机访问执行 Invoke-Command 的脚本中的代码或运行该脚本的计算机上的文件。您需要将file2.ps1复制到远程计算机,或者为其提供一个 UNC 路径,指向您计算机上该文件可用的共享,或者将 ValidatePath 函数的内容放在脚本块中。确保将$file的所有实例更改为$filename或反之亦然,并调整代码以交互运行,例如您将消除$fileExistreturn语句。

要将路径验证代码放入传递给远程计算机的脚本块中,您需要执行以下操作:

$scriptblock = @"
  if (-not (Test-Path $filename -PathType 'Container') ) {
    throw "The path $file does not exist!"
  } else {
    echo $filename found!
  }
"@

$responseObject = Invoke-Command -ComputerName MININT-OU9K10R -ScriptBlock{$scriptblock} -AsJob

注意确保“@没有缩进。它必须在行的开头。

顺便说一句,虽然这没有实际意义,但是在throw语句之后立即设置变量有什么意义?一旦你抛出一个错误,函数就会终止。$fileExist = false在任何情况下都不会执行。您可能想使用Write-Error

于 2013-07-11T01:20:52.480 回答