代码之家  ›  专栏  ›  技术社区  ›  David Phillips

在powershell中将嵌套哈希表导出到csv

  •  1
  • David Phillips  · 技术社区  · 6 年前

    我有一个数组,其中有一个嵌套的哈希表,其中包含数据:

    tid              : 1
    token            : 12345
    participant_info : @{firstname=bob; lastname=smith; email=bob.smith@email.com}
    completed        : y
    
    tid              : 2
    token            : 67890
    participant_info : @{firstname=Alice; lastname=Jones; email=alice.jones@email.com}
    completed        : n
    

    我想将其输出为CSV,并将名字、姓氏和电子邮件的嵌套项从内部哈希表中拉出-例如

    tid,token,firstname,surname,email,completed
    1,12345,bob,smith,bob.smith@email.com,y
    2,67890,alice,jones,alice.jones@email.com,n
    

    我猜答案是通过foreach循环并创建一个自定义ps对象,但由于我的嵌套项没有命名,因此我无法使用这里的其他示例来解决这个问题。

    感谢您的帮助!谢谢

    1 回复  |  直到 6 年前
        1
  •  4
  •   Maximilian Burszley    6 年前

    根据您的样本:

    @(
        [pscustomobject]@{
            tid = 1
            token = 12345
            participant_info = @{
                firstname = 'bob'
                lastname = 'smith'
                email = 'bob.smith@email.com'
            }
            completed = 'N'
        }
    
        ...
    )
    

    和所需输出:

    id,token,firstname,surname,email,completed
    1,12345,bob,smith,bob.smith@email.com,y
    2,67890,alice,jones,alice.jones@email.com,n
    

    您可以这样做:

    $JsonList = @( ... )
    $Path = "$Env:UserProfile\file.csv"
    
    ForEach ($Sample in $JsonList)
    {
        $Sample | Select-Object -Property @(
            @{N = 'id';        E = { $Sample.tid }}
            @{N = 'token';     E = { $Sample.token }}
            @{N = 'firstname'; E = { $Sample.participant_info.firstname }}
            @{N = 'surname';   E = { $Sample.participant_info.lastname }}
            @{N = 'email';     E = { $Sample.participant_info.email }}
            @{N = 'completed'; E = { $Sample.completed }}
        ) | Export-Csv -Path $Path -Append
    }
    

    编辑:您正在处理 PSCustomObject Hashtable ,因此我之前的语法对此不起作用。下面是我现在假设您的代码的样子(我已经更新了上面的示例):

    @"
    [
        {
            "tid": 1,
            "token": 12345,
            "participant_info": {
                "firstname": "bob",
                "lastname": "smith",
                "email": "bob.smith@email.com"
            },
            "completed": "N"
        }
    
        ...
    ]
    "@ | ConvertFrom-Json