使用映射到Linux共享的驱动器时,文件名区分大小写。 PowerShell按预期处理这个,但我想以类似于“C”语言环境中使用的排序顺序对输出进行排序,这意味着按字符值从U + 0000一直到U +按升序排序10FFFF(例如'0foo'来自'Foo','Foo'来自'bar','bar'来自'foo')
说明问题:
PS > gci Z:\foo | sort -casesensitive
xyz
Xyz
XYZ
yZ
YZ
所需输出:
XYZ
Xyz
YZ
xyz
yZ
我尝试将当前线程的文化变量设置为[System.Globalization.CultureInfo]::InvariantCulture
,但我没有成功:
$thrd = [Threading.Thread]::CurrentThread
$thrd.CurrentCulture = [Globalization.CultureInfo]::InvariantCulture
$thrd.CurrentUICulture = $thrd.CurrentCulture
当我认为它与文化信息有关时,我是否甚至关闭,或者我是否真的偏离轨道?有谁知道我应该从哪里开始?我猜我需要暂时创建一个具有我想要的行为的CultureInfo实例,但是只有CompareInfo才有getter,更不用说我不确定如何重载SortInfo的CompareInfo.Compare函数需要使用PowerShell函数。或者这实际上是一个失败的原因,因为这是不可能的?
修改的
至少,是否可以先用大写字符排序,如XYZ,Xyz,xyz,YZ,yZ?
答案 0 :(得分:7)
我很难找到是否有办法改变sort-object
方法本身但没有工作。但是我能够使用StringComparer静态类完成类似的事情,如msdn example中所示。
回答你的最后一部分,
At the very least, would it be possible to sort with uppercase characters first, as in XYZ, Xyz, xyz, YZ, yZ?
[System.StringComparer]::InvariantCultureIgnoreCase
是你的答案。为了看到差异,我尝试了下面的所有不同版本。
$arr = "0foo","xyz","Xyz","YZ","yZ","XYZ","Foo","bar"
$list = New-Object System.Collections.ArrayList
$list.AddRange($arr)
Write-host "CurrentCulture"
$list.Sort([System.StringComparer]::CurrentCulture);
$list
<# --------CurrentCulture--------
CurrentCulture
0foo
bar
Foo
xyz
Xyz
XYZ
yZ
YZ
#>
Write-Host "CurrentCultureIgnoreCase"
$list.Sort([System.StringComparer]::CurrentCultureIgnoreCase);
$list
<# --------CurrentCultureIgnoreCase--------
CurrentCultureIgnoreCase
0foo
bar
Foo
XYZ
Xyz
xyz
YZ
yZ
#>
Write-Host "InvariantCulture"
$list.Sort([System.StringComparer]::InvariantCulture);
$list
<# --------InvariantCulture--------
InvariantCulture
0foo
bar
Foo
xyz
Xyz
XYZ
yZ
YZ
#>
Write-Host "InvariantCultureIgnoreCase"
$list.Sort([System.StringComparer]::InvariantCultureIgnoreCase);
$list
<# --------InvariantCultureIgnoreCase--------
InvariantCultureIgnoreCase
0foo
bar
Foo
XYZ
Xyz
xyz
YZ
yZ
#>
Write-Host "Ordinal"
$list.Sort([System.StringComparer]::Ordinal);
$list
<# --------Ordinal--------
Ordinal
0foo
Foo
XYZ
Xyz
YZ
bar
xyz
yZ
#>
Write-Host "OrdinalIgnoreCase"
$list.Sort([System.StringComparer]::OrdinalIgnoreCase);
$list
<# --------OrdinalIgnoreCase--------
OrdinalIgnoreCase
0foo
bar
Foo
xyz
XYZ
Xyz
yZ
YZ
#>