我想压缩两个数组,例如how Ruby does it,但是在PowerShell中。这是一个假设的运算符(我知道我们可能正在谈论某种愚蠢的管道,但我只想展示一个示例输出)。
PS> @(1, 2, 3) -zip @('A', 'B', 'C')
@(@(1, 'A'), @(2, 'B'), @(3, 'C'))
答案 0 :(得分:11)
没有任何内置内容,可能不建议你自己推出自己的内容。功能。因此,我们将采用LINQ Zip方法并将其打包。
[System.Linq.Enumerable]::Zip((1, 2, 3), ('A', 'B', 'C'), [Func[Object, Object, Object[]]]{ ,$args })
这很有效,但随着时间的推移,工作并不愉快。我们可以包装函数(并将其包含在我们的配置文件中?)。
function Select-Zip {
[CmdletBinding()]
Param(
$First,
$Second,
$ResultSelector = { ,$args }
)
[System.Linq.Enumerable]::Zip($First, $Second, [Func[Object, Object, Object[]]]$ResultSelector)
}
你可以简单地称它为:
PS> Select-Zip -First 1, 2, 3 -Second 'A', 'B', 'C'
1
A
2
B
3
C
使用非默认结果选择器:
PS> Select-Zip -First 1, 2, 3 -Second 'A', 'B', 'C' -ResultSelector { param($a, $b) "$a::$b" }
1::A
2::B
3::C
我将管道版本作为练习留给精明的读者:)
PS> 1, 2, 3 | Select-Zip -Second 'A', 'B', 'C'
答案 1 :(得分:0)
# Multiple arrays
$Sizes = @("small", "large", "tiny")
$Colors = @("red", "green", "blue")
$Shapes = @("circle", "square", "oval")
# The first line "zips"
$Sizes | ForEach-Object { $i = 0 }{ @{size=$_; color=$Colors[$i]; shape=$Shapes[$i]}; $i++ } `
| ForEach-Object { $_.size + " " + $_.color + " " + $_.shape }
输出:
small red circle
large green square
tiny blue oval