我尝试解析Pester脚本并从-Tag
参数中提取值。任何人都知道如何使用[System.Management.Automation.PSParser]
做到这一点?我想我必须遍历从[System.Management.Automation.PSParser]::Tokenize()
返回的令牌,但这看起来非常糟糕,而且-Tag
的值可以用多种不同的格式给出,而不是非常实用。
在一天结束时,我希望返回一个包含Describe
块名称的集合,以及该块的标记列表(如果有的话)。
Name Tags
---- ----
Section1 {tag1, tag2}
Section2 {foo, bar}
Section3 {asdf}
Section4 {}
以下是我正在使用的Pester测试样本。
describe 'Section1' -Tag @('tag1', 'tag2') {
it 'blah1' {
$true | should be $true
}
}
describe 'Section2' -Tag 'foo', 'bar' {
it 'blah2' {
$true | should be $true
}
}
describe 'Section3' -Tag 'asdf'{
it 'blah3' {
$true | should be $true
}
}
describe 'Section4' {
it 'blah4' {
$true | should be $true
}
}
任何人对如何解决这个问题都有任何想法? [System.Management.Automation.PSParser]
是正确的方法还是有更好的方法?
干杯
答案 0 :(得分:6)
使用PS3.0 + Language namespace AST解析器:
$text = Get-Content 'pester-script.ps1' -Raw # text is a multiline string, not an array!
$tokens = $null
$errors = $null
[Management.Automation.Language.Parser]::ParseInput($text, [ref]$tokens, [ref]$errors).
FindAll([Func[Management.Automation.Language.Ast,bool]]{
param ($ast)
$ast.CommandElements -and
$ast.CommandElements[0].Value -eq 'describe'
}, $true) |
ForEach {
$CE = $_.CommandElements
$secondString = ($CE | Where { $_.StaticType.name -eq 'string' })[1]
$tagIdx = $CE.IndexOf(($CE | Where ParameterName -eq 'Tag')) + 1
$tags = if ($tagIdx -and $tagIdx -lt $CE.Count) {
$CE[$tagIdx].Extent
}
New-Object PSCustomObject -Property @{
Name = $secondString
Tags = $tags
}
}
Name Tags ---- ---- 'Section1' @('tag1', 'tag2') 'Section2' 'foo', 'bar' 'Section3' 'asdf' 'Section4'
代码不会将代码解释为字符串列表,而只是使用原始文本extent
。
使用PowerShell ISE / Visual Studio / VSCode中的调试器检查各种数据类型的情况。