如何在powershell哈希中查找重复值

时间:2014-06-27 14:43:33

标签: powershell hash duplicates having

想象一下以下哈希:

$h=@{}
$h.Add(1,'a')
$h.Add(2,'b')
$h.Add(3,'c')
$h.Add(4,'d')
$h.Add(5,'a')
$h.Add(6,'c')

什么查询会返回2个重复值' a'和' c' ?

基本上我正在寻找与以下SQL查询等效的powershell(假设表h(c1,c2):

select c1
from h 
group by c1
having count(*) > 1 

3 个答案:

答案 0 :(得分:7)

你可以试试这个:

$h.GetEnumerator() | Group-Object Value | ? { $_.Count -gt 1 }

Count Name Group                                                                   
----- ---- -----                                                                   
    2 c    {System.Collections.DictionaryEntry, System.Collections.DictionaryEntry}
    2 a    {System.Collections.DictionaryEntry, System.Collections.DictionaryEntry}

如果存储结果,您可以深入了解组以获取重复条目的键名。实施例

$a = $h.GetEnumerator() | Group-Object Value | ? { $_.Count -gt 1 }

#Check the first group(the one with 'c' as value)
$a[0].Group

Name Value
---- -----
6    c    
3    c 

答案 1 :(得分:1)

您可以使用另一个哈希表:

$h=@{}
$h.Add(1,'a')
$h.Add(2,'b')
$h.Add(3,'c')
$h.Add(4,'d')
$h.Add(5,'a')
$h.Add(6,'c')

$h1=@{}
$h.GetEnumerator() | foreach { $h1[$_.Value] += @($_.name) }
$h1.GetEnumerator() | where { $_.value.count -gt 1}

Name                           Value                                                                                                  
----                           -----                                                                                                  
c                              {6, 3}                                                                                                 
a                              {5, 1}                                                                                                 

答案 2 :(得分:1)

Just a slightly different question:

How to list the duplicate items of a PowerShell Array

But a similar solution as from Frode F:

$Duplicates = $Array | Group | ? {$_.Count -gt 1} | Select -ExpandProperty Name