I have an array of objects of the following structure:
structure Disk
{
int UID;
String Computer;
}
A computer may have a bunch of shar
You can also do
$a = (1,2,3,4)
$b = (1,3,4,5)
Compare-Object $a $b -PassThru -IncludeEqual # union
Compare-Object $a $b -PassThru -IncludeEqual -ExcludeDifferent # intersection
Doesn't work if $a
is null though.
While this won't work in the earliest versions, in more recent versions you can just call the .NET LINQ extension functions directly, e.g.
[system.linq.enumerable]::union([object[]](1,2,3),[object[]](2,3,4))
(Without the cast to some enumerable type, PowerShell throws a "cannot find overload" error.)
This definitely works in PowerShell V4 and V5 and definitely doesn't in V2. I don't have a system at hand with V3.
Assuming $arr
is the array, you can do like this:
$computers = $arr | select -expand computer -unique
$arr | group uid | ?{$_.count -eq $computers.count} | select name
In general, I would approach union and intersection in Powershell like this:
$a = (1,2,3,4)
$b = (1,3,4,5)
$a + $b | select -uniq #union
$a | ?{$b -contains $_} #intersection
But for what you are asking, the above solution works well and not really about union and intersection in the standard definition of the terms.
Update:
I have written pslinq which provides Union-List
and Intersect-List
that help to achieve set union and intersection with Powershell.
For set subtraction (a - b):
$a | ?{-not ($b -contains $_)}