Powershell 根据 属性 值比较 2 个哈希表数组

Powershell Compare 2 Arrays of Hashtables based on a property value

我有一组哈希表,如下所示:

$hashtable1 = @{}
$hashtable1.name = "aaa"
$hashtable1.surname =@()
$hashtable1.surname += "bbb"

$hashtable2 = @{}
$hashtable2.name = "aaa"
$hashtable2.surname =@()
$hashtable2.surname += "ccc"

$hashtable3 = @{}
$hashtable3.name = "bbb"
$hashtable3.surname = @()
$hashtable3.surname += "xxx"
$A = @($hashtable1; $hashtable2; $hashtable3)

我需要遍历数组,我需要根据 hashtable[].name

找出重复项

然后我需要将这些 hashtable.surname 分组到 hashtable[].surname 中,这样结果将是一个哈希表数组,它将所有 name 所有姓氏分组:


$hashtable1.name = "aaa"
$hashtable1.surname = ("bbb","ccc")

$hashtable3.name = "bbb"
$hashtable3.surname = ("xxx")

我正在考虑迭代到空数组

+

我找到了这个 link:

powershell compare 2 arrays output if match

但我不确定如何访问哈希表的元素。

我的选择:

  1. 我想知道 -contain 是否可以做到。
  2. 我读过有关比较对象的内容,但我不确定是否可以这样做。 (目前看起来有点吓人)

我在 PS5.

感谢您的帮助, 紫苑

您可以像这样使用脚本块按名称对数组项进行分组。 分组后,您可以轻松构建输出以执行您想要的操作。

#In PS 7.0+ you can use Name directly but earlier version requires the use of the scriptblock when dealing with arrays of hashtables.
$Output = $A | Group-Object -Property {$_.Name} | % {
    [PSCustomObject]@{
        Name = $_.Name
        Surname = $_.Group.Surname | Sort-Object -Unique
    }
}

这里是输出变量内容

Name Surname
---- -------
aaa  {bbb, ccc}
bbb  xxx

备注 PS 7.0 中进行了改进,允许您在 Group-Object 中简单地使用 属性 名称(例如:Name)作为哈希表数组,就像您对任何其他对象所做的一样数组类型。但是对于早期版本,必须通过在脚本块中传递 属性 来访问这些特定数组,如下所示:{$_.Name}

参考资料

MSDN - Group_Object

SS64 - Group Object

Dr Scripto - Use a Script block to create custom groupings in PowerShell