9

我试图弄清楚如何让 Pester 测试缺少的参数:

查找-Waldo.Tests.ps1

$here = Split-Path -Parent $MyInvocation.MyCommand.Path
$sut = (Split-Path -Leaf $MyInvocation.MyCommand.Path) -replace '\.Tests\.', '.'

Describe 'Mandatory paramters' {
    it  'ComputerName' {
        {
            $Params = @{
                #ComputerName = 'MyPc'
                ScriptName   = 'Test'
            }
            . "$here\$sut" @Params
        } | Should throw
    }
}

查找-Waldo.ps1

Param (
    [Parameter(Mandatory)]
    [String]$ComputerName,
    [String]$ScriptName
)

Function Find-Waldo {
    [CmdletBinding()]
    Param (
        [String]$FilePath
    )

    'Do something'
}

每次我尝试assert结果或只是运行测试时,它都会提示我输入ComputerName参数而不是测试失败。

我在这里错过了一些非常明显的东西吗?有没有办法测试强制参数的存在?

4

2 回答 2

6

根据 Mathias 的评论,您无法真正测试是否缺少强制参数,因为 PowerShell 会提示输入它而不是引发错误。根据他从 Pester 团队链接到的评论,您可以使用它Get-Command来测试脚本中的强制参数设置(假设它是为该变量设置的唯一参数属性)

((Get-Command "$here\$sut").Parameters['ComputerName'].Attributes.Mandatory | Should Be $true

另一种选择是在这种情况下不使用强制参数,而是使用一个脚本块将 aThrow作为参数的默认值:

Param (
    [String]$ComputerName = $(Throw '-ComputerName is required'),
    [String]$ScriptName
)

如果脚本始终用作自动化过程的一部分(而不是通过用户执行),这可能是首选,因为它允许您控制/捕获其行为并避免它在执行期间卡住。然后,您可以按照最初的建议测试脚本:

Describe 'Mandatory paramters' {
    it  'ComputerName' {
        {
            $Params = @{
                #ComputerName = 'MyPc'
                ScriptName   = 'Test'
            }
            . "$here\$sut" @Params
        } | Should throw '-ComputerName is required'
    }
}
于 2017-08-29T11:04:15.023 回答
1

尽管接受的答案表明这是不可能的,但实际上是可能的。这是我为解决此问题而开发的解决方案。

It 'Should fail when no priority is specified, for a valid process name' {
    { 
        $ScriptBlock = {
            Import-Module -Name $args[0]
            Set-ProcessPriority -Name System
        }
        Start-Job -ScriptBlock $ScriptBlock -ArgumentList $HOME/git/ProcessPriority/src/ProcessPriority | Wait-Job | Receive-Job 
    } | Should -Throw
}

从上面的例子中你会注意到:

正在测试的代码已包装在 PowerShell 中ScriptBlock

我们调用一个 PowerShell 后台作业,其中包含测试代码

我们等待后台作业完成,然后接收结果

如果你运行Get-Job命令,你会注意到Blocked状态中有一个作业

后台作业引发的异常类似于以下内容:

Wait-Job cmdlet 无法完成工作,因为一个或多个作业被阻止等待用户交互。使用 Receive-Job cmdlet 处理交互式作业输出,然后重试。

您会注意到我硬编码了模块的文件系统路径。我不确定如何将此作为参数传递给ScriptBlockPester 为我们调用的“外部”。也许有人对如何完成最后一块拼图有建议。

PowerShell 后台作业的独特之处在于,您实际上可以在状态下恢复作业Blocked,并且它会提示您输入,即使它抛出了早期的异常。

于 2020-06-18T08:22:13.180 回答