我有两个CSV,如下所示:
A
20180809000
20180809555
20180809666
20180809777
20180809888
文件2:
A
20180809000
20180809555
20180809666
20180809777
我想找到File1-File2的不同之处,应该输出20180809888
。我尝试了以下方法:
$a1= Import-Csv -Path $file1 | select A
$a2 = Import-Csv -Path $file2 | select A
$a1| where {$a2 -notcontains $_}
但是它输出整个文件1:
A
--------------
20180809000
20180809555
20180809666
20180809777
20180809888
我也尝试过交集,但是输出为空。
答案 0 :(得分:3)
最简单的解决方案是使用:
> Compare-Object (Get-Content .\File1.csv) (Get-Content .\File2.csv) -PassThru
20180809888
或使用Import-Csv
> Compare-Object (Import-Csv .\File1.csv).A (Import-Csv .\File2.csv).A -Passthru
20180809888
或
> (Compare-Object (Import-Csv .\File1.csv) (Import-Csv .\File2.csv) -Passthru).A
20180809888
答案 1 :(得分:1)
您的最后一行应为以下内容:
$a1.A.where{$_ -notin $a2.A}
要保留该列,您可以对最后一行执行以下操作:
$a1.where{$_.A -notin $a2.A}
这种情况的问题是,第二个文件比第一个文件具有更多的数据。然后,您需要在最后一行中执行以下操作:
$a1 | compare $a2 | select -expand inputobject
答案 2 :(得分:1)
select A
仍将返回具有名为A
的属性的对象。
# Returns an object list with property A
Import-Csv -Path $file | select A # (shorthand for Select-Object -Property A)
# A
# ---
# value1
# value2
# ...
您可以使用点表示法来获取属性A
的值数组,例如:
# Returns the list of values of the A property
(Import-Csv -Path $file).A
# value1
# value2
# ...
以下方法应该起作用:
$a1= (Import-Csv -Path $file1).A
$a2 = (Import-Csv -Path $file2).A
$a1 | where {$a2 -notcontains $_}