我有很多模块,包括 ModuleMain 和 ModuleSql 。模块之间存在相互依赖关系,因此ModuleMain中的 Main-Function 使用ModuleSql中的4个函数:
function Main-Function {
[CmdletBinding(SupportsShouldProcess=$true)]
# The following 4 lines are all wrapped in $PSCmdlet.ShouldProcess() and
# try {} catch {} logic. I have left that out in this post, but I mention
# it in case it is relevant.
$a = New-SqlConnection
$b = Invoke-SqlStoredProc -connection $a
$c = Invoke-SqlQuery -connection $a
Close-SqlConnection -connection $a | Out-Null
return $c
}
我创建了一个 Function-Main1.tests.ps1 文件来测试Function-Main1。起初我使用InModuleScope
但后来切换到使用-ModuleName
参数指定模拟每个模拟。
Import-Module "ModuleMain" -Force
Describe "Main-Function" {
Mock -ModuleName ModuleMain New-SqlConnection {
return $true }
Mock -ModuleName ModuleMain Invoke-SqlStoredProc {
return $true }
Mock -ModuleName ModuleMain Invoke-SqlQuery {
return $true }
Mock -ModuleName ModuleMain Close-SqlConnection {
return $true }
Context "When calling Main-Function with mocked SQL functions" {
It "Calls each SQL function once" {
Assert-MockCalled -Scope Context -ModuleName ModuleMain -CommandName New-SqlConnecion -Times 1 -Exactly
Assert-MockCalled -Scope Context -ModuleName ModuleMain -CommandName Invoke-SqlStoredProc -Times 1 -Exactly
Assert-MockCalled -Scope Context -ModuleName ModuleMain -CommandName Invoke-SqlQuery -Times 1 -Exactly
Assert-MockCalled -Scope Context -ModuleName ModuleMain -CommandName Close-SqlConnecion -Times 1 -Exactly
}
}
}
当我运行此测试时,我得到以下结果:
[-] Calls each SQL function once 223ms
Expected Invoke-SqlStoredProc in module ModuleMain to be called 1 times exactly but was called 0 times
at line: xx in
xx: Assert-MockCalled -Scope Context -ModuleName ModuleMain -CommandName Invoke-SqlStoredProc -Times 1 -Exactly
请注意以下事项:
-ModuleName
设置为定义 Main-Function 的模块,而不是SQL函数(我正在尝试的那个) mock)已定义。InModuleScope
和-ModuleName
,例如将一个或另一个设置为 ModuleSQL ,但主要是让事情变得更糟。通过玩游戏,在其他模拟函数中添加Verbose输出,我确认New-SqlConnection
和Close-SqlConnection
都被截获,但Invoke-SqlStoredProc
和Invoke-SqlQuery
不是
深入探讨,我可以看到Invoke-Sql*
(模拟)函数抛出了以下异常:错误:"' System.Boolean' to' System.Data.SqlClient.SqlConnection'。" 这个是行为,我希望在调用这些函数的真实版本时,但我我希望模拟的版本会忽略参数类型。
为什么Pester只拦截我的4个函数中的2个?
答案 0 :(得分:2)
所以,上述评论中给出了对这个问题的简短回答:
模拟函数不会忽略参数类型。 --PetSerAl
这意味着当我尝试调用Invoke-Sql*
函数并使用虚假 $ sqlConnection 变量(只需设置为 $ true )时,这是导致错误,因为输入参数不是预期的数据类型。
我的案例中的解决方案是模拟New-SqlConnection
函数,因此它返回了一个[System.Data.SqlCient.SqlConnection]
对象。碰巧的是,我还回到使用InModuleScope
而不是在每个Mock上指定模块:
InModuleScope "ModuleMain" {
Describe "MainFunction" {
Mock New-SqlConnection {
New-Object -TypeName System.Data.SqlCient.SqlConnection
}
...
}