1

我在对基于类的 DSC 资源进行单元测试时遇到问题。我正在尝试模拟类中的几个函数,但出现转换错误。

PSInvalidCastException: Cannot convert the "bool TestVMExists(string vmPath,     
string vmName)" value of type "System.Management.Automation.PSMethod" to type
"System.Management.Automation.ScriptBlock".

我的测试代码是这样的:

using module 'C:\Program Files\WindowsPowerShell\Modules\xVMWareVM\xVMWareVM.psm1'

$resource = [xVMWareVM]::new()

   Describe "Set" {

    Context "If the VM does not exist" {

        Mock xVMWareVM $resource.TestVMExists {return $false}
        Mock xVMWareVM $resource.CreateVM

        It "Calls Create VM once" {
            Assert-MockCalled $resource.CreateVM -Times 1
        }
    }
}

有谁知道如何实现这一目标?

提前致谢

4

1 回答 1

2

您目前无法使用 Pester 模拟类函数。当前的解决方法是使用Add-Member -MemberType ScriptMethod替换函数。这意味着您不会得到模拟断言。

我借用了 @bgelens 的DockerDsc 测试

如果没有您的类代码,我无法对此进行测试,但它应该与上面的@bgelens 代码一起为您提供这个想法。

using module 'C:\Program Files\WindowsPowerShell\Modules\xVMWareVM\xVMWareVM.psm1'

   Describe "Set" {

    Context "If the VM does not exist" {
        $resource = [xVMWareVM]::new() 
        $global:CreateVmCalled = 0
        $resource = $resource | 
            Add-Member -MemberType ScriptMethod -Name TestVMExists -Value {
                    return $false
                } -Force -PassThru
        $resource = $resource | 
            Add-Member -MemberType ScriptMethod -Name CreateVM -Value {
                    $global:CreateVmCalled ++ 
                } -Force -PassThru

        It "Calls Create VM once" {
            $global:CreateVmCalled | should be 1
        }
    }
}
于 2017-01-17T22:25:28.763 回答