过滤CSV,其中列大于或等于数字

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

我有以下CSV文件:

"Count";"Computername";"Files and paths"
"3";"Computer1";"%OSDRIVE%\USERS\0000008\APPDATA\LOCAL\TEMP\__PSSCRIPT.PS1"
"1";"Computer1";"%OSDRIVE%\USERS\0000008\APPDATA\LOCAL\TEMP\__PSSCRIPT.PS1"
"5";"Computer3";"\\SRV\TOTO$\HELLO.BAT"
"8";"Computer4";"\\192.168.8.18\TOTO\DNS.BAT"
"10";"Computer15";"%OSDRIVE%\Hello.exe"
"12";"Computer6";"\\SRV\SCRIPTS\REBOOT.BAT"
"88";"Computer7";"%OSDRIVE%\Winword.exe"
"154";"Computer2";"%OSDRIVE%\excel.exe"

我想保留“Count”优于或等于8的所有行。

我试过以下命令:

Import-Csv -Path MyFile.csv -Delimiter ";" | Where-Object {$_.Count -ge 8}

但它只返回给我8或88或18的线...但不是所有其他线上升到8(如10,12,154 ......)。

为什么?

powershell int filtering import-csv
2个回答
1
投票

除非嵌入了类型信息(see documentation),否则每个值都变为字符串。这导致按字母顺序比较而不是整数1。见如下:

$csv = ConvertFrom-Csv @'
"Count";"Computername";"Files and paths"
"3";"Computer1";"%OSDRIVE%\USERS\0000008\APPDATA\LOCAL\TEMP\__PSSCRIPT.PS1"
"1";"Computer1";"%OSDRIVE%\USERS\0000008\APPDATA\LOCAL\TEMP\__PSSCRIPT.PS1"
"5";"Computer3";"\\SRV\TOTO$\HELLO.BAT"
"8";"Computer4";"\\192.168.8.18\TOTO\DNS.BAT"
"10";"Computer15";"%OSDRIVE%\Hello.exe"
"12";"Computer6";"\\SRV\SCRIPTS\REBOOT.BAT"
"88";"Computer7";"%OSDRIVE%\Winword.exe"
"154";"Computer2";"%OSDRIVE%\excel.exe"
'@ -Delimiter ';'

$csv | gm

所有属性都是字符串:

   TypeName: System.Management.Automation.PSCustomObject

Name            MemberType   Definition                                                                      
----            ----------   ----------                                                                      
Equals          Method       bool Equals(System.Object obj)                                                  
GetHashCode     Method       int GetHashCode()                                                               
GetType         Method       type GetType()                                                                  
ToString        Method       string ToString()                                                               
Computername    NoteProperty string Computername=Computer1                                                   
Count           NoteProperty string Count=3                                                                  
Files and paths NoteProperty string Files and paths=%OSDRIVE%\USERS\0000008\APPDATA\LOCAL\TEMP\__PSSCRIPT.PS1

最简单的解决方案是使用铸造:

$csv | Where-Object {[int]$_.Count -ge 8}

1
投票

Count读取一个字符串,因此您需要将其更改为整数,以便进行比较。

一种方法是将你的Where-Object语句改为

where {($_.Count -as [int]) -ge 8}
© www.soinside.com 2019 - 2024. All rights reserved.