2

我可能花了大约 500 个小时在谷歌上搜索并阅读 MSDN 文档,但它仍然拒绝按我想要的方式工作。

我可以按名称对这样的文件进行排序:

01.png
02.png
03.png
04.png

即所有相同的文件长度。

第二个有一个文件长度更长的文件,一切都下地狱了。

例如在序列中:

1.png
2.png
3.png
4.png
5.png
10.png
11.png

上面写着:

1.png, 2.png then 10.png, 11.png

我不想要这个。

我的代码:

DirectoryInfo di = new DirectoryInfo(directoryLoc);
FileSystemInfo[] files = di.GetFileSystemInfos("*." + fileExtension);
Array.Sort<FileSystemInfo>(files, new Comparison<FileSystemInfo>(compareFiles));

foreach (FileInfo fri in files)
{
    fri.MoveTo(directoryLoc + "\\" + prefix + "{" + operationNumber.ToString() + "}" + (i - 1).ToString("D10") +
        "." + fileExtension);

    i--;
    x++;
    progressPB.Value = (x / fileCount) * 100;
}

// compare by file name
int compareFiles(FileSystemInfo a, FileSystemInfo b)
{
    // return a.LastWriteTime.CompareTo(b.LastWriteTime);
    return a.Name.CompareTo(b.Name);
}
4

5 回答 5

3

这不是文件长度的问题,而是按字典顺序比较名称的问题。

听起来在这种特殊情况下,您想要获取不带扩展名的名称,尝试将其解析为整数,然后以这种方式比较两个名称 - 如果失败,您可以退回到字典顺序。

当然,如果您有“debug1.png,debug2.png,...debug10.png”,那将不起作用...在这种情况下,您需要更复杂的算法。

于 2012-03-13T10:55:10.127 回答
3

您将名称作为strings进行比较,即使(我假设)您希望它们按number排序。

这是一个众所周知的问题,“10”在“9”之前,因为 10 (1) 中的第一个字符小于 9 中的第一个字符。

如果您知道这些文件都将由编号的名称组成,您可以修改您的自定义排序例程以将名称转换为整数并对它们进行适当的排序。

于 2012-03-13T10:58:34.403 回答
0

我遇到了同样的问题,但我没有自己对列表进行排序,而是使用 6 位“0”填充键更改了文件名。

我的列表现在看起来像这样:

000001.jpg
000002.jpg
000003.jpg
...
000010.jpg

但是,如果您不能更改文件名,您将不得不实现自己的排序例程来处理 alpha 排序。

于 2012-03-13T11:05:46.030 回答
0

使用一些 linq 和正则表达式来修复排序怎么样?

var orderedFileSysInfos = 
  new DirectoryInfo(directoryloc)
    .GetFileSystemInfos("*." + fileExtension)
    //regex below grabs the first bunch of consecutive digits in file name
    //you might want something different
    .Select(fsi => new{fsi, match = Regex.Match(fsi.Name, @"\d+")})
    //filter away names without digits
    .Where(x => x.match.Success)
    //parse the digits to int
    .Select(x => new {x.fsi, order = int.Parse(x.match.Value)})
    //use this value to perform ordering
    .OrderBy(x => x.order)
    //select original FileSystemInfo
    .Select(x => x.fsi)
    //.ToArray() //maybe?
于 2012-03-13T11:06:58.870 回答
0

您的代码是正确的并且按预期工作,只是排序是按字母顺序执行的,而不是按数字顺序执行的。

例如,字符串“1”、“10”、“2”按字母顺序排列。相反,如果您知道您的文件名始终只是一个数字加上“.png”,您可以按数字进行排序。例如,像这样:

int compareFiles(FileSystemInfo a, FileSystemInfo b)         
{             
    // Given an input 10.png, parses the filename as integer to return 10
    int first = int.Parse(Path.GetFileNameWithoutExtension(a.Name));
    int second = int.Parse(Path.GetFileNameWithoutExtension(b.Name));

    // Performs the comparison on the integer part of the filename
    return first.CompareTo(second);
}
于 2012-03-13T10:56:56.737 回答