如果Else声明Powershell CSV with Output CSV

问题描述 投票:0回答:2

我在powershell脚本中相当新,需要以csv格式对以下输出提供帮助。我正在尝试选择一个列,例如ACCOUNT.UPLOAD和make以及if / else语句将其输出到另一个csv文件中。愿有人帮忙。

Sample1

输出csv应如下所示:

Sample2

$results = Import-Csv 'C:\Users\test\Desktop\Test\customer.csv' |
Select-Object "ACCOUNT.UPLOAD"

ForEach ($row in $results) 
{
    If ($row.Type0 -ne 'CP000101', 'CP000102')
    { 
        $row."ACCOUNT.UPLOAD" = "$($row.ACCOUNT.UPLOAD)"
        Write-Host $row."ACCOUNT.UPLOAD"
    }
}   
$results | Export-Csv C:\Users\test\Desktop\Test\test.csv -NoTypeInformation

谢谢

powershell csv scripting
2个回答
0
投票

这将为您提供所需的一切。添加了评论以解释我所做的事情。

$results = Import-Csv "C:\Users\test\Desktop\Test\customer.csv" | Select-Object "ACCOUNT.UPLOAD"
# Created array to be able to add individual results from foreach
$TheCSV = @()

ForEach ($row in $results) {
    # You can use a -ne in the right hand side, if done like this.
    If (($row.'ACCOUNT.UPLOAD' -ne 'CP000101') -and $row.'ACCOUNT.UPLOAD' -ne 'CP000102') {
        # Adds the ROW column to the entry and finds the index that it was in from $results.
        # Did a +2 as it does not include the header and it starts at value 0. So to match it up with the actual excel row numbers, add 2.
        $row | Add-Member -Name 'ROW' -type NoteProperty -Value "$([array]::IndexOf($results.'ACCOUNT.UPLOAD',$row.'ACCOUNT.UPLOAD')+2)"
        $TheCSV += $row
    }
}
$TheCSV | Export-Csv "C:\Users\test\Desktop\Test\test.csv" -NoTypeInformation

0
投票

做PowerShell方式:

param(
    [Parameter(Position=0)]
    $InputFile = 'D:\\Temp\\Data.csv',
    [Parameter(Position=1)]
    $OutputFile = 'D:\\Temp\\Output.csv'
)

Import-Csv $InputFile |
    Select-Object "ACCOUNT.UPLOAD" |
    %{
        $lineno++
        if ($_.'ACCOUNT.UPLOAD' -notin @('CP000101', 'CP000102')) {
            $_ | Add-Member -Name 'ROW' -type NoteProperty -Value $lineno
            $_ # Output to pipeline
        }
    } -Begin { $lineno = 1 } |
    Export-Csv $OutputFile -NoTypeInformation

使用:

.\Script.ps1

.\Script.ps1 inputfilename.csv outputfilefname.csv
© www.soinside.com 2019 - 2024. All rights reserved.