在 Powershell 中转换为 JSON 时如何排除无值对象属性

How to exclude non-valued object properties when converting to JSON in Powershell

我有一段代码可以运行,但我想知道是否有更好的方法。到目前为止我找不到任何相关的东西。以下是事实:

Building the object (not really important):

$object = New-Object PSObject
Add-Member -InputObject $object -MemberType NoteProperty -Name TableName -Value "MyTable"
Add-Member -InputObject $object -MemberType NoteProperty -Name Description -Value "Lorem ipsum dolor.."
Add-Member -InputObject $object -MemberType NoteProperty -Name AppArea -Value "UserMgmt"
Add-Member -InputObject $object -MemberType NoteProperty -Name InitialVersionCode -Value ""

The line that I need improvements (to filter out the non-valued properties and not include them in the JSON)

# So I want to 'keep' and deliver to the JSON only the properties that are valued (first 3).
$object | select -Property TableName, Description, AppArea, InitialVersion | ConvertTo-Json

What this line delivers:

Results:
{
    "TableName":  "MyTable",
    "Description":  "Lorem ipsum dolor..",
    "AppArea":  "UserMgmt",
    "InitialVersion":  null
}

What I want to obtain:
{
    "TableName":  "MyTable",
    "Description":  "Lorem ipsum dolor..",
    "AppArea":  "UserMgmt"
}

What I've tried and works, but I don't like it since I have much more properties to handle:

$JSON = New-Object PSObject

if ($object.TableName){
   Add-Member -InputObject $JSON -MemberType NoteProperty -Name TableName -Value $object.TableName
}

if ($object.Description){
   Add-Member -InputObject $JSON -MemberType NoteProperty -Name Description -Value $object.Description
}

if ($object.AppArea){
   Add-Member -InputObject $JSON -MemberType NoteProperty -Name AppArea -Value $object.AppArea
}

if ($object.InitialVersionCode){
   Add-Member -InputObject $JSON -MemberType NoteProperty -Name InitialVersionCode -Value $object.InitialVersionCode
}

$JSON | ConvertTo-Json

是这样的吗?

$object = New-Object PSObject

Add-Member -InputObject $object -MemberType NoteProperty -Name TableName -Value "MyTable"
Add-Member -InputObject $object -MemberType NoteProperty -Name Description -Value "Lorem ipsum dolor.."
Add-Member -InputObject $object -MemberType NoteProperty -Name AppArea -Value "UserMgmt"
Add-Member -InputObject $object -MemberType NoteProperty -Name InitialVersionCode -Value ""

# Iterate over objects
$object | ForEach-Object {
    # Get array of names of object properties that can be cast to boolean TRUE
    # PSObject.Properties - https://msdn.microsoft.com/en-us/library/system.management.automation.psobject.properties.aspx
    $NonEmptyProperties = $_.psobject.Properties | Where-Object {$_.Value} | Select-Object -ExpandProperty Name

    # Convert object to JSON with only non-empty properties
    $_ | Select-Object -Property $NonEmptyProperties | ConvertTo-Json
}

结果:

{
    "TableName":  "MyTable",
    "Description":  "Lorem ipsum dolor..",
    "AppArea":  "UserMgmt"
}

提供了一个有效的解决方案;让我用一个利用 PSv4+ 功能的简化版本来补充它:

# Sample input object
$object = [pscustomobject] @{
  TableName = 'MyTable'
  Description = 'Lorem ipsum dolor...'
  AppArea = 'UserMgmt'
  InitialVersionCode = $null
}

# Start with the list of candidate properties.
# For simplicity we target *all* properties of input object $obj
# but you could start with an explicit list as wellL
#   $candidateProps = 'TableName', 'Description', 'AppArea', 'InitialVersionCode'
$candidateProps = $object.psobject.properties.Name

# Create the filtered list of those properties whose value is non-$null
# The .Where() method is a PSv4+ feature.
$nonNullProps = $candidateProps.Where({ $null -ne $object.$_ })

# Extract the list of non-null properties directly from the input object
# and convert to JSON.
$object | Select-Object $nonNullProps | ConvertTo-Json

为此,我在个人资料中设置了以下功能。优点:我可以通过管道将对象集合传递给它,并从管道上的所有对象中删除空值。

Function Remove-Null {
    [cmdletbinding()]
    param(
        # Object to remove null values from
        [parameter(ValueFromPipeline,Mandatory)]
        [object[]]$InputObject,
        #By default, remove empty strings (""), specify -LeaveEmptyStrings to leave them.
        [switch]$LeaveEmptyStrings
    )
    process {
        foreach ($obj in $InputObject) {
            $AllProperties = $obj.psobject.properties.Name
            $NonNulls = $AllProperties |
                where-object {$null -ne $obj.$PSItem} |
                where-object {$LeaveEmptyStrings.IsPresent -or -not [string]::IsNullOrEmpty($obj.$PSItem)}
            $obj | Select-Object -Property $NonNulls
        }
    }
}

一些用法示例:

$AnObject = [pscustomobject]@{
    prop1="data"
    prop2="moredata"
    prop5=3
    propblnk=""
    propnll=$null
}
$AnObject | Remove-Null

prop1 prop2    prop5
----- -----    -----
data  moredata     3

$ObjList =@(
    [PSCustomObject]@{
        notnull = "data"
        more = "sure!"
        done = $null
        another = ""
    },
    [PSCustomObject]@{
        notnull = "data"
        more = $null
        done = $false
        another = $true
    }
)
$objList | Remove-Null | fl #format-list because the default table is misleading

notnull : data
more    : sure!

notnull : data
done    : False
another : True

我制作了我自己的 修改版本,它接受一个额外的参数,让您删除也存在于该参数列表中的元素。 例如:

Get-CimInstance -ClassName Win32_UserProfile | 
Remove-Null -AlsoRemove 'Win32_FolderRedirectionHealth' | Format-Table

我发布了一个 gist 版本,其中还包括 PowerShell 文档。

Function Remove-Null {
    [CmdletBinding()]
    Param(
        # Object from which to remove the null values.
        [Parameter(ValueFromPipeline,Mandatory)]
        $InputObject,
        # Instead of also removing values that are empty strings, include them
        # in the output.
        [Switch]$LeaveEmptyStrings,
        # Additional entries to remove, which are either present in the
        # properties list as an object or as a string representation of the
        # object.
        # I.e. $item.ToString().
        [Object[]]$AlsoRemove = @()
    )
    Process {
        # Iterate InputObject in case input was passed as an array
        ForEach ($obj in $InputObject) {
            $obj | Select-Object -Property (
                $obj.PSObject.Properties.Name | Where-Object {
                    -not (
                        # If prop is null, remove it
                        $null -eq $obj.$_ -or
                        # If -LeaveEmptyStrings is not specified and the property
                        # is an empty string, remove it
                        (-not $LeaveEmptyStrings.IsPresent -and
                            [string]::IsNullOrEmpty($obj.$_)) -or
                        # If AlsoRemove contains the property, remove it
                        $AlsoRemove.Contains($obj.$_) -or
                        # If AlsoRemove contains the string representation of
                        # the property, remove it
                        $AlsoRemove.Contains($obj.$_.ToString())
                    )
                }
            )
        }
    }
}

请注意,此处的流程块会自动迭代管道对象,因此 ForEach 只会在项目显式传入数组时迭代多次——例如将其包装在单个元素数组中 ,$array—或作为直接参数提供时,例如 Remove-Null -InputObject $(Get-ChildItem).

还值得一提的是,我的和 batmanama 的函数都会从 每个 个单独的对象中删除这些属性。这就是它可以正确利用 PowerShell 管道的方式。此外,这意味着如果 InputObject 中的任何对象具有 匹配的 属性(例如,它们是 not null ),输出 table 仍将显示 属性,即使它已从 did 匹配的其他项目中删除了这些属性。

这是一个展示该行为的简单示例:

@([pscustomobject]@{Number=1;Bool=$true};
[pscustomobject]@{Number=2;Bool=$false},
[pscustomobject]@{Number=3;Bool=$true},
[pscustomobject]@{Number=4;Bool=$false}) | Remove-Null -AlsoRemove $false

Number Bool
------ ----
     1 True
     2
     3 True
     4