将 Powershell 输出转换为 Markdown 文件

Convert Powershell output to a Markdown file

我有以下代码:

$xmlFile        = 'C:\Users\kraer\Desktop\bom.xml'

[xml]$xml = Get-Content $xmlFile


    $xml.bom.components.component | ForEach-Object {
        $finalObject = [PSCustomObject]@{
        'Name'      = $_.name
        'Version'   = $_.version
        'License'   = $_.licenses.license.id
    }
    Write-Output $finalObject
}

现在我想将我的 $finalObject 转换为 MarkDown Table。这里有没有可能?

对于另一个问题,我收到了这个答案,但现在它不适用于我的代码。

function ConvertTo-MarkDownTable {
    [CmdletBinding()] param(
        [Parameter(Position = 0, ValueFromPipeLine = $True)] $InputObject
    )
    Begin { $Init = $True }
    Process {
        if ( $Init ) {
            $Init = $False
            $_.PSObject.Properties.Name -Join '|'
            $_.PSObject.Properties.ForEach({ '-' }) -Join '|'
        }
        $_.PSObject.Properties.Value -Join '|'
    }
}

你有其他解决方案吗?

感谢您的帮助

不知道您 bom.xml 的内容,您可以试试这个稍微改编的函数版本:

function ConvertTo-MarkDownTable {
    [CmdletBinding()] param(
        [Parameter(Mandatory = $true, ValueFromPipeline = $true, Position = 0)] 
        $InputObject
    )
    Begin { 
        $headersDone = $false
        $pattern = '(?<!\)\|'  # escape every '|' unless already escaped
    }
    Process {
        if (!$headersDone) {
            $headersDone = $true
            # output the header line and below that a dashed line
            # -replace '(?<!\)\|', '\|' escapes every '|' unless already escaped
            '|{0}|' -f (($_.PSObject.Properties.Name -replace $pattern, '\|') -join '|')
            '|{0}|' -f (($_.PSObject.Properties.Name -replace '.', '-') -join '|')
        }
        '|{0}|' -f (($_.PsObject.Properties.Value -replace $pattern, '\|') -join '|')
    }
}

用法:

# load the xml from file
$xml= New-Object System.XML.XMLDocument
$xml.Load('C:\Users\kraer\Desktop\bom.xml')

$finalObject = $xml.bom.components.component | ForEach-Object {
    [PSCustomObject]@{
        'Name'    = $_.name
        'Version' = $_.version
        'License' = $_.licenses.license.id
    }
}
# convert to markdown
$finalObject | ConvertTo-MarkDownTable

P.S。 $_.licenses.license.id 可能是错误的,因为看起来 licenses 是一个 array 许可证。你可能想在这里做这样的事情:

($_.licenses | ForEach-Object { $_.license.id }) -join '; '