小编典典

C#中的自然排序顺序

c#

任何人都有很好的资源或提供C#中自然顺序排序的示例作为FileInfo数组?我正在实现IComparer各种接口。


阅读 613

收藏
2020-05-19

共1个答案

小编典典

最简单的操作是在Windows中P / Invoke内置函数,并将其用作比较函数IComparer

[DllImport("shlwapi.dll", CharSet = CharSet.Unicode)]
private static extern int StrCmpLogicalW(string psz1, string psz2);

Michael
Kaplan提供了一些有关此功能如何在此处工作的示例,以及为使Vista更直观地工作而进行的更改。此功能的好处是,它将具有与其运行的Windows版本相同的行为,但这确实意味着它在Windows版本之间有所不同,因此您需要考虑这是否对您有问题。

因此,完整的实现应类似于:

[SuppressUnmanagedCodeSecurity]
internal static class SafeNativeMethods
{
    [DllImport("shlwapi.dll", CharSet = CharSet.Unicode)]
    public static extern int StrCmpLogicalW(string psz1, string psz2);
}

public sealed class NaturalStringComparer : IComparer<string>
{
    public int Compare(string a, string b)
    {
        return SafeNativeMethods.StrCmpLogicalW(a, b);
    }
}

public sealed class NaturalFileInfoNameComparer : IComparer<FileInfo>
{
    public int Compare(FileInfo a, FileInfo b)
    {
        return SafeNativeMethods.StrCmpLogicalW(a.Name, b.Name);
    }
}
2020-05-19