8

在 PowerShell 中开发脚本,我需要调用外部可执行文件 (.exe)。目前我正在使用 TDD 方法开发这个脚本,因此我需要模拟对这个 .exe 文件的调用。

我试试这个:

Describe "Create-NewObject" {
    Context "Create-Object" {
        It "Runs" {
            Mock '& "c:\temp\my.exe"' {return {$true}}
            Create-Object| Should Be  $true
        }
    }
}

我得到了这样的回应:

Describing Create-NewObject
   Context Create-Object
    [-] Runs 574ms
      CommandNotFoundException: Could not find Command & "C:\temp\my.exe"
      at Validate-Command, C:\Program Files\WindowsPowerShell\Modules\Pester\Functions\Mock.ps1: line 801
      at Mock, C:\Program Files\WindowsPowerShell\Modules\Pester\Functions\Mock.ps1: line 168
      at <ScriptBlock>, C:\T\Create-NewObject.tests.ps1: line 13
Tests completed in 574ms
Passed: 0 Failed: 1 Skipped: 0 Pending: 0 Inconclusive: 0

有没有办法模拟这种调用而不将它们封装在函数中?

4

3 回答 3

10

我找到了一种模拟对这个可执行文件的调用的方法:

function Create-Object
{
   $exp = '& "C:\temp\my.exe"'
   Invoke-Expression -Command $exp
}

使用模拟的测试应该如下所示:

Describe "Create-NewObject" {
    Context "Create-Object" {
        It "Runs" {
            Mock Invoke-Expression {return {$true}} -ParameterFilter {($Command -eq '& "C:\temp\my.exe"')
            Create-Object| Should Be  $true
        }
    }
}
于 2016-06-20T16:22:18.140 回答
5

是的,不幸的是,从 Pester 4.8.1 开始:

  • 不能通过完整路径模拟外部可执行文件(例如,)C:\Windows\System32\cmd.exe
  • 可以仅通过文件名模拟它们(例如, ),但请注意,在较旧的 Pester 版本中,仅对显式使用扩展名cmd的调用(例如, )调用模拟 - 请参阅此(过时)GitHub问题.execmd.exe

您自己的解决方法是有效的,但它涉及Invoke-Expression,这很尴尬;Invoke-Expression一般应避免

这是一个使用辅助函数的解决方法Invoke-External,它包装了外部程序的调用,并且作为一个函数,它本身可以被模拟,使用 a-ParameterFilter按可执行路径过滤:

在您的代码中,定义该Invoke-External函数,然后使用它来调用c:\temp\my.exe

# Helper function for invoking an external utility (executable).
# The raison d'être for this function is to allow 
# calls to external executables via their *full paths* to be mocked in Pester.
function Invoke-External {
  param(
    [Parameter(Mandatory=$true)]
    [string] $LiteralPath,
    [Parameter(ValueFromRemainingArguments=$true)]
    $PassThruArgs
  )
  & $LiteralPath $PassThruArgs
}

# Call c:\temp\my.exe via invoke-External
# Note that you may pass arguments to pass the executable as usual (none here):
Invoke-External c:\temp\my.exe

c:\temp\my.exe然后,在 Pester 测试中模拟调用:

Mock Invoke-External -ParameterFilter { $LiteralPath -eq 'c:\temp\my.exe' } `
  -MockWith { $true }

注意:如果您的代码中只有一次对外部可执行文件的调用,则可以省略该
-ParameterFilter参数。

于 2019-06-29T21:57:48.167 回答
0

我试过这个,似乎工作。

$PathToExe = 'C:\Windows\System32\wevtutil.exe'
New-Item -Path function: -Name $PathToExe -Value { ... }
Mock $PathToExe { ... }
于 2020-05-05T07:14:07.647 回答