1

我需要创建数量增加的备份文件夹。但是如果存在编号间隙,我需要跳过它们,并使下一个文件夹名称比编号最高的文件夹高一个。例如,如果我有:

c:\备份\数据.1
c:\备份\数据.2
c:\备份\数据.4
c:\备份\数据.5

我需要下一个文件夹

c:\备份\数据.6

下面的代码有效,但感觉非常笨拙。有没有更好的方法来做到这一点并且仍然保留在 .NET 2.0 中

    static void Main(string[] args)
    {
        string backupPath = @"C:\Backup\";
        string[] folders = Directory.GetDirectories(backupPath);
        int count = folders.Length;
        List<int> endsWith = new List<int>();

        if (count == 0)
        {
            Directory.CreateDirectory(@"C:\Backup\Data.1");
        }
        else
        {
            foreach (var item in folders)
            {
                //int lastPartOfFolderName;
                int lastDotPosition = item.LastIndexOf('.');
                try
                {
                    int lastPartOfFolderName = Convert.ToInt16(item.Substring(lastDotPosition + 1));
                    endsWith.Add(lastPartOfFolderName);
                }
                catch (Exception)
                {
                   // Just ignore any non numeric folder endings
                }
            }
        }

        endsWith.Sort();

        int nextFolderNumber = endsWith[endsWith.Count - 1];
        nextFolderNumber++;

        Directory.CreateDirectory(@"C:\Backup\Data." + nextFolderNumber.ToString());
    }

谢谢

4

2 回答 2

3

这是一个略有不同的版本,但基本上做同样的事情。找到带有 max 后缀的文件夹,然后为下一个文件夹添加一个。

     static void Main(string[] args)
    {
        string backupPath = @"C:\Backup\";
        string[] folders = Directory.GetDirectories(backupPath);
        Int16 max = 0;

        foreach (var item in folders)
        {
            //int lastPartOfFolderName;
            int lastDotPosition = item.LastIndexOf('.');

            if (lastDotPosition > -1 && !item.EndsWith("."))
            {
                Int16 folderNumber;

                if (Int16.TryParse(item.Substring(lastDotPosition + 1), out folderNumber))
                {
                    if (folderNumber > max)
                    {
                        max = folderNumber;
                    }
                }
            }
        }

        max++;
        Directory.CreateDirectory(@"C:\Backup\Data." + max);
    }

我只是稍微“清理”了您的代码以删除空捕获和附加列表/排序。

于 2012-08-29T00:56:31.957 回答
2

你是对的; 这有点笨拙。它依赖于操作系统以数字顺序提供文件夹名称,这是我一直警惕的,因为我无法控制新版本的操作系统会做什么。

您最好解析文件夹名称,获取所有数字的列表,然后明确找到最大值。

然后,当您添加 1 时,您保证您现在已经创建了新的最高值。

于 2012-08-29T00:50:00.097 回答