2

我正在创建一个具有两个属性的自定义对象。第一个是字符串,基本上是一个键,第二个是返回数组的函数的输出。然后,我将结果传送到 Format-Table 并按字符串属性分组。我想看到的是输出中单独一行上的数组属性的每个元素。相反,Format-Table 将数组显示在单行上。

有没有办法格式化输出,以便数组属性的每个元素都显示在单独的行上?

这是一些说明问题的代码:

function Get-Result([string]$lookup)
{
    if ($lookup -eq "first")
    {
        return @("one", "two")
    }
    else
    {
        return @("three")
    }
}

$a = "first", "second"

$a | 
    Select-Object @{Name="LookupValue"; Expression={$_}}, `
        @{Name="Result"; Expression={Get-Result $_}} | 
    Format-Table -GroupBy LookupValue

这就是它的输出:

   LookupValue: first

LookupValue Result    
----------- ------    
first       {one, two}


   LookupValue: second

LookupValue Result
----------- ------
second      three 

我想看到的是:

   LookupValue: first

LookupValue Result    
----------- ------    
first       one  
first       two    


   LookupValue: second

LookupValue Result
----------- ------
second      three 
4

2 回答 2

2

Format-cmdlets不会创建不存在的对象。您的示例有一个包含数组的结果值。如果您不希望它成为一个数组,而是两个不同对象的一部分,那么您需要以某种方式将其拆分更改您的创建过程以制作那些多个/丢失的对象。

前者通过添加另一个处理多个“结果”的内部循环

$a | ForEach-Object{
    $element = $_
    Get-Result $element | ForEach-Object{
        $_ | Select-Object @{Name="LookupValue"; Expression={$element}},
            @{Name="Result"; Expression={$_}}
    }
} | Format-Table -GroupBy LookupValue

Get-Result因此,对于创建新对象的每个输出,都会引用LookupValue管道中由 表示的电流$element

这有点笨拙,所以我还想添加一个梯子示例,我们可以在其中更改您的创建过程

function Get-Result{
    param(
        [Parameter(
            ValueFromPipeline)]
        [string]$lookup
    )

    process{
        switch($lookup){
            "first"{
                [pscustomobject]@{LookupValue=$lookup;Result="one"},
                [pscustomobject]@{LookupValue=$lookup;Result="two"}
            }
            default{
                [pscustomobject]@{LookupValue=$lookup;Result="three"}
            }

        }
    }
}

$a = "first", "second"
$a | Get-Result | Format-Table -GroupBy LookupValue

创建一个接受管道输入并基于$lookup. 我在这里使用了一个开关,以防您的实际应用程序比您在示例中显示的条件更多。

笔记

为了-GroupBy工作,应该对数据集进行排序。因此,如果您遇到实际数据显示不正确的问题....首先对其进行排序。

于 2018-01-08T02:36:39.623 回答
2

一种获取方式——

function Get-Result([string]$lookup) {
    if ($lookup -eq "first") {
        Write-Output @( 
            @{ LookupValue=$lookup; Result="one" },
            @{ LookupValue=$lookup; Result="two" }
        )
    }
    else {
        Write-Output @(
            @{ LookupValue=$lookup; Result="three" }
        )
    }
}

"first", "second" | % {  Get-Result($_) } | % { [PSCustomObject]$_ } | Format-Table LookupValue, Result -GroupBy LookupValue

输出:

    LookupValue: first

LookupValue Result
----------- ------
first       one   
first       two   


   LookupValue: second

LookupValue Result
----------- ------
second      three 
于 2018-01-08T02:28:51.127 回答