我正在为我的网站编写一个使用JSON配置文件的脚本。 JSON类似于以下内容:
"Groups": {
"GroupOne": {
"NamingFilter": {
"Not":"<SITE>-MJ*",
"Has":"*WM,*WT"
}
},
"GroupTwo": {
"NamingFilter": {
"Has":"<SITE>-MJ*, *WC,*WL"
}
},
"GroupThree": {
"NamingFilter": {
"Not":"<SITE>-MJ*",
"Has":"*WI"
}
}
}
要将对象转换为PowerShell可以阅读的内容,我使用ConvertFrom-Json
将其转换为PSCustomObject
类型。
我正处于必须遍历Groups
并获取每个组名以在配置的Groups
对象中输出它们及其相应索引的位置。也就是说,
1. GroupOne
2. GroupTwo
3. GroupThree
我得到的最远的是:
foreach ($group in $configObject.Groups) {
$group
}
所有这些都是输出看起来像PowerShell数组表示法的东西:
@{GroupOne=; GroupTwo=; GroupThree=;}
PSCustomObject
类型是否可以实现?我主要使用JavaScript编写代码,因此我可能会过度简化(或过度复杂化)这个问题,因为这样会相对简单。
答案 0 :(得分:11)
我不确定你可以在多长时间内使用这个版本,但它在PowerShell 5.1中适用于我...请在早期版本中试一试:
$ipinfo = Invoke-WebRequest 'http://ipinfo.io/json' -UseBasicParsing | ConvertFrom-Json
foreach ($info in $ipinfo.PSObject.Properties) {
$info.Name
$info.Value
'--' # <-- Seeing this double hash proves we're iterating fully.
}
ip
1.2.3.4
--
hostname
No Hostname
--
city
Denton
--
region
Texas
--
country
US
--
loc
33.2148,-97.1331
--
org
AS589 University of North Texas
--
postal
76203
--
这一切都是用PowerShell 4.0完成的; PowerShell 3.0中引入了ConvertTo-Json
和ConvertFrom-Json
;我还没有测试PowerShell 3.0或5.0。
使用另一个例子尝试自己:
$ipinfo = ConvertFrom-Json (Invoke-WebRequest 'http://ipinfo.io/json' -UseBasicParsing)
foreach ($info in ($ipinfo.PSObject.Members | ?{ $_.MemberType -eq 'NoteProperty'})) {
$info.Name
$info.Value
'--'
}
ip
1.2.3.4
--
hostname
No Hostname
--
city
Denton
--
region
Texas
--
country
US
--
loc
33.2148,-97.1331
--
org
AS589 University of North Texas
--
postal
76203
--
答案 1 :(得分:10)
我想我可能只是想通过博客文章 Converting PsCustomObject To/From Hashtables 来解决这个问题。
使用Get-Member
然后-MemberType
公开每个组,然后您只需提取:
foreach ($group in $configObject.Groups) {
$groupName = $($group | Get-Member -MemberType *Property).Name
}
输出:
GroupOne
GroupTwo
GroupThree
我可以接受任何其他方法。
我找到了另一种方法,但唯一的缺点是它没有使用花哨的ConvertFrom-Json
CmdLet。相反,它直接进入.NET库并使用其反序列化器并将其转换为HashTable。这完全避免了与PSCustomObject混在一起。 IMO哈希表更易于使用。
$JSON = Get-Content -Path path/to.json -Raw
$HT = (New-Object System.Web.Script.Serialization.JavaScriptSerializer).Deserialize($JSON, [System.Collections.Hashtable])
$HT.Groups.GetEnumerator() | ForEach-Object {
Write-Host "$($_.Key) : $($_.Value)"
}