我编写了一个函数,用于将函数中发生的错误写入csv文件中,该函数在函数的catch块中调用。我想用Pester写一个测试来检查我的函数是否正常工作,但老实说,我不知道从哪里开始,我尝试了一些东西,但它们对我不起作用,我也一直在阅读文档,但我仍然不清楚,我会感谢任何帮助/评论。
这里是我想用Pester:编写一个测试的函数
function Write-Logs {
param (
[ValidateSet("Error")]$MessageType,
[string][Parameter(Mandatory=$true)]$Message,
$LogFilePath,
$Source
)
$CSVLogPath = Join-Path -Path $PSScriptRoot -ChildPath ".\errorslog.csv"
$CSVLogObject = [PSCustomObject] @{
Date = Get-Date
Message = $Message
MessageType = $MessageType
Source = $Source
}
$CSVLogObject | Export-Csv -Path $CSVLogPath -NoTypeInformation -Encoding UTF8 -Append
}因此,我在catch块中调用函数:
catch {
Write-Logs -LogFilePath:$CSVLogPath -Message:$Error[0].Exception.Message `
-Source:"FunctionName()" -MessageType:"Error"
return
}发布于 2022-06-28 12:09:27
继续我的评论,这是一些代码。
首先,通过实际使用-LogFilePath参数,使函数可测试。这样,您就可以在测试期间将日志写入临时文件。由于默认值,在从普通代码调用它时,仍然可以不使用-LogFilePath使用它。
function Write-Logs {
param (
[ValidateSet("Error")]$MessageType,
[string][Parameter(Mandatory=$true)]$Message,
$LogFilePath = (Join-Path -Path $PSScriptRoot -ChildPath ".\errorslog.csv"),
$Source
)
$CSVLogObject = [PSCustomObject] @{
Date = Get-Date
Message = $Message
MessageType = $MessageType
Source = $Source
}
$CSVLogObject | Export-Csv -Path $LogFilePath -NoTypeInformation -Encoding UTF8 -Append
}测试代码:
BeforeAll {
. $PSCommandPath.Replace('.Tests.ps1','.ps1')
}
Describe "Write-Logs" {
BeforeEach{
# Mock Get-Date so it returns a constant value suitable for testing
$expectedDate = [DateTime]::new( 2022, 06, 28, 12, 36, 21 )
Mock Get-Date { return $expectedDate }
}
It "writes the expected CSV" {
# You might read this from a file using Import-Csv
$expectedCsv = [PSCustomObject]@{
Date = $expectedDate
Message = 'test message'
MessageType = 'Error'
Source = 'test source'
}
# Write log to temp file (Pester cleans it automatically, when It block ends)
$testLogPath = "TestDrive:\test.log"
Write-Logs -LogFilePath $testLogPath -MessageType $expectedCsv.MessageType -Message $expectedCsv.Message -Source $expectedCsv.Source
$actualCsv = Import-Csv $testLogPath
# Test if $expectedCsv equals $actualCsv
Compare-Object $expectedCsv $actualCsv -Property Date, Message, MessageType, Source | Should -BeNullOrEmpty
}
}https://stackoverflow.com/questions/72784944
复制相似问题