问题描述
给出一个从json(foo.json)创建的自定义powershell对象(bar)
Given a custom powershell object (bar) that is created from json (foo.json)
您如何按键对对象进行字母排序?
How would you sort the object alphabetically by key?
foo.json
{
"bbb": {"zebras": "fast"},
"ccc": {},
"aaa": {"apples": "good"}
}
所需的输出
foo.json
{
"aaa": {"apples": "good"},
"bbb": {"zebras": "fast"},
"ccc": {}
}
示例
$bar = get-content -raw foo.json | ConvertFrom-Json
$bar.gettype()
IsPublic IsSerial Name BaseType
-------- -------- ---- --------
True False PSCustomObject System.Object
我已经尝试使用排序对象
$bar = $bar | Sort
$bar = $bar | Sort-Object
Sort-Object -InputObject $bar
Sort-Object -InputObject $bar -Property Name
Sort-Object -InputObject $bar -Property @{Expression="Name"}
Sort-Object -InputObject $bar -Property @{Expression={$_.PSObject.Properties.Name}}
$bar = $bar | Sort
$bar = $bar | Sort-Object
Sort-Object -InputObject $bar
Sort-Object -InputObject $bar -Property Name
Sort-Object -InputObject $bar -Property @{Expression="Name"}
Sort-Object -InputObject $bar -Property @{Expression={$_.PSObject.Properties.Name}}
我还尝试将PSObject转换为哈希表(哈希表似乎会根据名称自动排序),然后将该哈希表转换回json,但会再次失去顺序.
I've also tried converting the PSObject to a hashtable (hashtables appear to automatically sort based on name), then convert that hashtable back to json, but it looses the order again.
$buzz = @{}
$bar.psobject.properties |Foreach { $buzz[$_.Name] = $_.Value }
ConvertTo-Json $buzz -Depth 9
更新
更改了foo.json以包括值和键
Update
Changed foo.json to include values aswell as keys
推荐答案
如 Mathias R. Jessen 请注意,这里没有 collection 可以排序,只有一个要排序的对象其属性,因此需要通过Get-Member
进行 reflection 获取对象的属性:
As Mathias R. Jessen notes, there is no collection to sort here, just a single object whose properties you want to sort, so you need reflection via Get-Member
to obtain the object's properties:
$bar = get-content -raw foo.json | ConvertFrom-Json
# Build an ordered hashtable of the property-value pairs.
$sortedProps = [ordered] @{}
Get-Member -Type NoteProperty -InputObject $bar | Sort-Object Name |
% { $sortedProps[$_.Name] = $bar.$($_.Name) }
# Create a new object that receives the sorted properties.
$barWithSortedProperties = New-Object PSCustomObject
Add-Member -InputObject $barWithSortedProperties -NotePropertyMembers $sortedProps
使用-pv
(-PipelineVariable
)来缓存"由ConvertFrom-Json
生成的未排序的自定义对象的更简化的版本:
A more streamlined version that uses -pv
(-PipelineVariable
) to "cache" the unsorted custom object produced by ConvertFrom-Json
:
$barSortedProps = New-Object PSCustomObject
Get-Content -Raw foo.json | ConvertFrom-Json -pv jo |
Get-Member -Type NoteProperty | Sort-Object Name | % {
Add-Member -InputObject $barSortedProps -Type NoteProperty `
-Name $_.Name -Value $jo.$($_.Name)
}
这篇关于Powershell按字母顺序对PSObject进行排序的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!