PSCustomObject
将 a 转换为 a的最简单方法是Hashtable
什么?它的显示就像一个带有 splat 运算符、花括号和似乎是键值对的东西。当我尝试将其投射到[Hashtable]
它不起作用时。我也试过.toString()
了,分配的变量说它是一个字符串,但什么也没显示——有什么想法吗?
问问题
79850 次
6 回答
109
应该不会太难。这样的事情应该可以解决问题:
# Create a PSCustomObject (ironically using a hashtable)
$ht1 = @{ A = 'a'; B = 'b'; DateTime = Get-Date }
$theObject = new-object psobject -Property $ht1
# Convert the PSCustomObject back to a hashtable
$ht2 = @{}
$theObject.psobject.properties | Foreach { $ht2[$_.Name] = $_.Value }
于 2010-09-18T04:38:18.763 回答
35
基思已经给了你答案,这只是用单线做同样的另一种方式:
$psobject.psobject.properties | foreach -begin {$h=@{}} -process {$h."$($_.Name)" = $_.Value} -end {$h}
于 2010-09-18T15:48:37.993 回答
30
这是一个也适用于嵌套哈希表/数组的版本(如果您尝试使用 DSC ConfigurationData 执行此操作,这很有用):
function ConvertPSObjectToHashtable
{
param (
[Parameter(ValueFromPipeline)]
$InputObject
)
process
{
if ($null -eq $InputObject) { return $null }
if ($InputObject -is [System.Collections.IEnumerable] -and $InputObject -isnot [string])
{
$collection = @(
foreach ($object in $InputObject) { ConvertPSObjectToHashtable $object }
)
Write-Output -NoEnumerate $collection
}
elseif ($InputObject -is [psobject])
{
$hash = @{}
foreach ($property in $InputObject.PSObject.Properties)
{
$hash[$property.Name] = ConvertPSObjectToHashtable $property.Value
}
$hash
}
else
{
$InputObject
}
}
}
于 2015-12-20T16:55:29.410 回答
16
我非常懒惰的方法,由 PowerShell 6 中的一项新功能启用:
$myhashtable = $mypscustomobject | ConvertTo-Json | ConvertFrom-Json -AsHashTable
于 2020-05-12T01:57:07.157 回答
3
这适用于 ConvertFrom_Json 创建的 PSCustomObjects。
Function ConvertConvertFrom-JsonPSCustomObjectToHash($obj)
{
$hash = @{}
$obj | Get-Member -MemberType Properties | SELECT -exp "Name" | % {
$hash[$_] = ($obj | SELECT -exp $_)
}
$hash
}
免责声明:我几乎不了解 PowerShell,所以这可能不像它应该的那样干净。但它有效(仅适用于一个级别)。
于 2015-08-19T17:30:14.757 回答
2
我的代码:
function PSCustomObjectConvertToHashtable() {
param(
[Parameter(ValueFromPipeline)]
$object
)
if ( $object -eq $null ) { return $null }
if ( $object -is [psobject] ) {
$result = @{}
$items = $object | Get-Member -MemberType NoteProperty
foreach( $item in $items ) {
$key = $item.Name
$value = PSCustomObjectConvertToHashtable -object $object.$key
$result.Add($key, $value)
}
return $result
} elseif ($object -is [array]) {
$result = [object[]]::new($object.Count)
for ($i = 0; $i -lt $object.Count; $i++) {
$result[$i] = (PSCustomObjectConvertToHashtable -object $object[$i])
}
return ,$result
} else {
return $object
}
}
于 2018-10-05T00:49:32.037 回答