获取从目录中按名称排序的文件列表

时间:2014-10-01 14:50:56

标签: c# file sorting directory

我需要从目录中获取按名称排序的文件列表。

我的文件命名为:

TestFile_1.xml,
TestFile_2.xml
TestFile_3.xml
.
.
TestFile_10.xml
TestFile_11.xml

我正在使用下面的代码段进行排序

DirectoryInfo di = new DirectoryInfo(jsonFileInfo.FolderPath);
FileSystemInfo[] files = di.GetFileSystemInfos();
var orderedFiles = files.OrderBy(f => f.Name);`

有了这个snnipet,我得到了结果

TestFile_1.xml,
TestFile_10.xml
TestFile_11.xml
.
.
TestFile_2.xml
TestFile_3.xml
.
.

如何排序?

1 个答案:

答案 0 :(得分:5)

名称是一个字符串,而"10" 大于 而不是" 2"。如果您想按下划线后面的数字排序:

var orderedFiles = files
    .Select(f => new{ 
        File = f, 
        NumberPart = f.Name.Substring(f.Name.IndexOf("_") + 1)
    })
    .Where(x => x.NumberPart.All(Char.IsDigit))
    .Select(x => new { x.File, Number = int.Parse(x.NumberPart) })
    .OrderBy(x => x.Number)
    .Select(x => x.File);

如果您想要包含所有不以该号码结尾的文件,那么这些文件应首先出现:

orderedFiles = files
    .Select(f => new
    {
        File = f,
        NumberPart = f.Name.Substring(f.Name.IndexOf("_") + 1)
    })
    .Select(x => new { x.File, x.NumberPart, AllDigit = x.NumberPart.All(Char.IsDigit) })
    .Select(x => new
    {
        x.File,
        Number = x.AllDigit ? int.Parse(x.NumberPart) : (int?)null
    })
    .OrderBy(x => x.Number.HasValue)
    .ThenBy(x => x.Number ?? 0)
    .Select(x => x.File);

如果您甚至希望静态文件名始终位于顶部(如注释),您可以使用:

....
.OrderByDescending(x => x.File.Name.Equals("TestFile_cover.xml", StringComparison.CurrentCultureIgnoreCase))
.ThenBy(x => x.Number.HasValue)
.ThenBy(x => x.Number ?? 0)
.Select(x => x.File);