使用空数组作为直接管道输入,不会通过管道发送任何内容,因为数组是枚举的,并且由于没有要枚举的内容 - 因为空数组没有元素 - Where
( Where-Object
) 脚本块永远不会执行:
Set-StrictMode -Version Latest
# The empty array is enumerated, and since there's nothing to enumerate,
# the Where[-Object] script block is never invoked.
@() | Where { $_.name -eq "Baz" }
相比之下,在 PowerShell 版本中,直到 v6.x "[]" | ConvertFrom-Json
生成一个空数组作为单个输出对象,而不是枚举其(不存在的)元素,因为ConvertFrom-Json
在这些版本中不枚举它输出的数组的元素;它相当于:
Set-StrictMode -Version Latest
# Empty array is sent as a single object through the pipeline.
# The Where script block is invoked once and sees $_ as that empty array.
# Since strict mode is in effect and arrays have no .name property
# an error occurs.
Write-Output -NoEnumerate @() | Where { $_.name -eq "Baz" }
ConvertFrom-Json
的行为在 PowerShell 的上下文中令人惊讶- cmdlet 通常枚举多个输出 - 但在 JSON 解析的上下文中是可防御的;毕竟,如果枚举空数组,信息将会丢失ConvertFrom-Json
,因为您将无法将其与空 JSON 输入( "" | ConvertFrom-Json
) 区分开来。
共识是这两个用例都是合法的,并且用户应该通过切换在两种行为(枚举或不枚举)之间进行选择(有关相关讨论,请参阅此 GitHub 问题)。
因此,从 PowerShell [Core] 7.0 开始:
在PowerShell 6.x-中,如果需要枚举,则 -obscure- 解决方法是通过简单地将调用包含在ConvertFrom-Json
(...)
分组运算符中来强制枚举(将其转换为表达式,并且表达式在用于管道):
# (...) around the ConvertFrom-Json call forces enumeration of its output.
# The empty array has nothing to enumerate, so the Where script block is never invoked.
("[]" | ConvertFrom-Json) | Where { $_.name -eq "Baz" }
至于您尝试了什么:您尝试访问该.Count
物业以及您使用@(...)
:
$y = ("[]" | ConvertFrom-Json) | Where { $_.name -eq "Baz" }
$y.Count # Fails with Set-StrictMode -Version 2 or higher
使用ConvertFrom-Json
包裹的调用(...)
,您的整个命令返回“无”:松散地说,,$null
但更准确地说,是一个“数组值 null”,它是[System.Management.Automation.Internal.AutomationNull]::Value
表示命令没有输出的单例。(在大多数情况下,后者被视为与 相同$null
,但在用作管道输入时尤其如此。)
[System.Management.Automation.Internal.AutomationNull]::Value
没有.Count
属性,这就是为什么 withSet-StrictMode -Version 2
或更高的效果,你会得到一个The property 'count' cannot be found on this object.
错误。
通过将整个管道包装在@(...)
数组子表达式运算符中,您可以确保将输出视为数组,该数组使用数组值空输出创建一个空数组——它确实具有一个.Count
属性。
请注意,您应该能够调用.Count
and $null
,[System.Management.Automation.Internal.AutomationNull]::Value
因为 PowerShell为每个.Count
对象添加了一个属性,如果还没有的话 - 包括标量,这是值得称赞的统一集合和标量处理的努力。
也就是说,Set-StrictMode
设置为-Off
(默认值)或-Version 1
以下设置确实有效并且 - 明智地 - 返回0
:
# With Set-StrictMode set to -Off (the default) or -Version 1:
# $null sensibly has a count of 0.
PS> $null.Count
0
# So does the "array-valued null", [System.Management.Automation.Internal.AutomationNull]::Value
# `. {}` is a simple way to produce it.
PS> (. {}).Count # `. {}` outputs
0
上述内容目前不适用于Set-StrictMode -Version 2
或更高版本(从 PowerShell [Core] 7.0 开始),应被视为错误,如本 GitHub 问题中所报告的(由 Jeffrey Snover 撰写,不少于)。