55

我想创建一个方法,该方法将文件名作为 astring或 aFileInfo并在文件存在时将递增的数字添加到文件名。但不能完全围绕如何以一种好的方式做到这一点。

例如,如果我有这个 FileInfo

var file = new FileInfo(@"C:\file.ext");

如果C:\file.ext 存在,我想用C:\file 1.ext给我一个新的 FileInfo,如果C:\file 1.ext存在,则 C:\file 2.ext给我一个新的 FileInfo,依此类推。像这样的东西:

public FileInfo MakeUnique(FileInfo fileInfo)
{
    if(fileInfo == null)
        throw new ArgumentNullException("fileInfo");
    if(!fileInfo.Exists)
        return fileInfo;

    // Somehow construct new filename from the one we have, test it, 
    // then do it again if necessary.
}
4

20 回答 20

50
public FileInfo MakeUnique(string path)
{            
    string dir = Path.GetDirectoryName(path);
    string fileName = Path.GetFileNameWithoutExtension(path);
    string fileExt = Path.GetExtension(path);

    for (int i = 1; ;++i) {
        if (!File.Exists(path))
            return new FileInfo(path);

        path = Path.Combine(dir, fileName + " " + i + fileExt);
    }
}

显然,这很容易受到其他答案中所述的竞争条件的影响。

于 2009-07-03T06:39:15.153 回答
42

这里有很多好的建议。我最终使用了Marc回答另一个问题时编写的方法。对其进行了一点点重新格式化,并添加了另一种方法,使其更容易“从外部”使用。结果如下:

private static string numberPattern = " ({0})";

public static string NextAvailableFilename(string path)
{
    // Short-cut if already available
    if (!File.Exists(path))
        return path;

    // If path has extension then insert the number pattern just before the extension and return next filename
    if (Path.HasExtension(path))
        return GetNextFilename(path.Insert(path.LastIndexOf(Path.GetExtension(path)), numberPattern));

    // Otherwise just append the pattern to the path and return next filename
    return GetNextFilename(path + numberPattern);
}

private static string GetNextFilename(string pattern)
{
    string tmp = string.Format(pattern, 1);
    if (tmp == pattern)
        throw new ArgumentException("The pattern must include an index place-holder", "pattern");

    if (!File.Exists(tmp))
        return tmp; // short-circuit if no matches

    int min = 1, max = 2; // min is inclusive, max is exclusive/untested

    while (File.Exists(string.Format(pattern, max)))
    {
        min = max;
        max *= 2;
    }

    while (max != min + 1)
    {
        int pivot = (max + min) / 2;
        if (File.Exists(string.Format(pattern, pivot)))
            min = pivot;
        else
            max = pivot;
    }

    return string.Format(pattern, max);
}

到目前为止只对其进行了部分测试,但如果我发现它有任何错误会更新。(Marc的代码运行良好!)如果您发现它有任何问题,请评论或编辑或其他内容 :)

于 2009-07-03T11:15:16.477 回答
32

不漂亮,但我已经有一段时间了:

private string getNextFileName(string fileName)
{
    string extension = Path.GetExtension(fileName);

    int i = 0;
    while (File.Exists(fileName))
    {
        if (i == 0)
            fileName = fileName.Replace(extension, "(" + ++i + ")" + extension);
        else
            fileName = fileName.Replace("(" + i + ")" + extension, "(" + ++i + ")" + extension);
    }

    return fileName;
}

假设文件已经存在:

  • 文件.txt
  • 文件(1).txt
  • 文件(2).txt

调用 getNextFileName("File.txt") 将返回“File(3).txt”。

不是最有效的,因为它不使用二进制搜索,但对于小文件数应该没问题。而且它没有考虑比赛条件......

于 2014-07-03T20:43:20.080 回答
12

如果检查文件是否存在太难,您总是可以在文件名中添加日期和时间以使其唯一:

文件名.YYYYMMDD.HHMMSS

如有必要,甚至可能添加毫秒。

于 2009-07-03T06:40:31.673 回答
5

如果格式不打扰您,那么您可以致电:

try{
    string tempFile=System.IO.Path.GetTempFileName();
    string file=System.IO.Path.GetFileName(tempFile);
    //use file
    System.IO.File.Delete(tempFile);
}catch(IOException ioe){
  //handle 
}catch(FileIOPermission fp){
  //handle
}

PS:- 使用前请在msdn阅读更多相关信息。

于 2009-07-03T06:42:26.163 回答
4
/// <summary>
/// Create a unique filename for the given filename
/// </summary>
/// <param name="filename">A full filename, e.g., C:\temp\myfile.tmp</param>
/// <returns>A filename like C:\temp\myfile633822247336197902.tmp</returns>
public string GetUniqueFilename(string filename)
{
    string basename = Path.Combine(Path.GetDirectoryName(filename),
                                   Path.GetFileNameWithoutExtension(filename));
    string uniquefilename = string.Format("{0}{1}{2}",
                                            basename,
                                            DateTime.Now.Ticks,
                                            Path.GetExtension(filename));
    // Thread.Sleep(1); // To really prevent collisions, but usually not needed
    return uniquefilename;
}

由于DateTime.Ticks 的分辨率为 100 纳秒,因此极不可能发生冲突。但是, Thread.Sleep(1) 将确保这一点,但我怀疑它是否需要

于 2009-07-03T11:32:48.757 回答
2

在文件名中插入一个新的 GUID。

于 2009-07-03T06:47:10.713 回答
2

我必须投入我的 2 美分。我就是这样做的,而且它对我有用。

    private static string IterateFileName(string fileName)
    {
        if (!File.Exists(fileName)) return fileName;

        FileInfo fi = new FileInfo(fileName);
        string ext = fi.Extension;
        string name = fi.FullName.Substring(0, fi.FullName.Length - ext.Length);

        int i = 2;
        while (File.Exists($"{name}_{i}{ext}"))
        {
            i++;
        }


        return $"{name}_{i}{ext}";
    }
于 2021-03-23T20:50:41.690 回答
1

这个想法是获取现有文件的列表,解析出数字,然后制作下一个最高的文件。

注意:这很容易受到竞争条件的影响,因此如果您有多个线程创建这些文件,请小心

注2:这是未经测试的。

public static FileInfo GetNextUniqueFile(string path)
{
    //if the given file doesn't exist, we're done
    if(!File.Exists(path))
        return new FileInfo(path);

    //split the path into parts
    string dirName = Path.GetDirectoryName(path);
    string fileName = Path.GetFileNameWithoutExtension(path);
    string fileExt = Path.GetExtension(path);

    //get the directory
    DirectoryInfo dir = new DirectoryInfo(dir);

    //get the list of existing files for this name and extension
    var existingFiles = dir.GetFiles(Path.ChangeExtension(fileName + " *", fileExt);

    //get the number strings from the existing files
    var NumberStrings = from file in existingFiles
                        select Path.GetFileNameWithoutExtension(file.Name)
                            .Remove(0, fileName.Length /*we remove the space too*/);

    //find the highest existing number
    int highestNumber = 0;

    foreach(var numberString in NumberStrings)
    {
        int tempNum;
        if(Int32.TryParse(numberString, out tempnum) && tempNum > highestNumber)
            highestNumber = tempNum;
    }

    //make the new FileInfo object
    string newFileName = fileName + " " + (highestNumber + 1).ToString();
    newFileName = Path.ChangeExtension(fileName, fileExt);

    return new FileInfo(Path.Combine(dirName, newFileName));
}
于 2009-07-03T07:02:22.050 回答
1

您可以询问已存在的文件列表并根据您的算法找到第一个间隙,而不是多次戳磁盘以找出它是否具有所需文件名的特定变体。

public static class FileInfoExtensions
{
    public static FileInfo MakeUnique(this FileInfo fileInfo)
    {
        if (fileInfo == null)
        {
            throw new ArgumentNullException("fileInfo");
        }

        string newfileName = new FileUtilities().GetNextFileName(fileInfo.FullName);
        return new FileInfo(newfileName);
    }
}

public class FileUtilities
{
    public string GetNextFileName(string fullFileName)
    {
        if (fullFileName == null)
        {
            throw new ArgumentNullException("fullFileName");
        }

        if (!File.Exists(fullFileName))
        {
            return fullFileName;
        }
        string baseFileName = Path.GetFileNameWithoutExtension(fullFileName);
        string ext = Path.GetExtension(fullFileName);

        string filePath = Path.GetDirectoryName(fullFileName);
        var numbersUsed = Directory.GetFiles(filePath, baseFileName + "*" + ext)
            .Select(x => Path.GetFileNameWithoutExtension(x).Substring(baseFileName.Length))
            .Select(x =>
                    {
                        int result;
                        return Int32.TryParse(x, out result) ? result : 0;
                    })
            .Distinct()
            .OrderBy(x => x)
            .ToList();

        var firstGap = numbersUsed
            .Select((x, i) => new { Index = i, Item = x })
            .FirstOrDefault(x => x.Index != x.Item);
        int numberToUse = firstGap != null ? firstGap.Item : numbersUsed.Count;
        return Path.Combine(filePath, baseFileName) + numberToUse + ext;
    }
}    
于 2009-07-04T17:41:44.077 回答
1

这是一个将编号命名问题与文件系统检查分离的问题:

/// <summary>
/// Finds the next unused unique (numbered) filename.
/// </summary>
/// <param name="fileName">Name of the file.</param>
/// <param name="inUse">Function that will determine if the name is already in use</param>
/// <returns>The original filename if it wasn't already used, or the filename with " (n)"
/// added to the name if the original filename is already in use.</returns>
private static string NextUniqueFilename(string fileName, Func<string, bool> inUse)
{
    if (!inUse(fileName))
    {
        // this filename has not been seen before, return it unmodified
        return fileName;
    }
    // this filename is already in use, add " (n)" to the end
    var name = Path.GetFileNameWithoutExtension(fileName);
    var extension = Path.GetExtension(fileName);
    if (name == null)
    {
        throw new Exception("File name without extension returned null.");
    }
    const int max = 9999;
    for (var i = 1; i < max; i++)
    {
        var nextUniqueFilename = string.Format("{0} ({1}){2}", name, i, extension);
        if (!inUse(nextUniqueFilename))
        {
            return nextUniqueFilename;
        }
    }
    throw new Exception(string.Format("Too many files by this name. Limit: {0}", max));
}

如果您使用文件系统,这就是您可以如何调用它

var safeName = NextUniqueFilename(filename, f => File.Exists(Path.Combine(folder, f)));
于 2012-03-21T14:34:39.073 回答
1
    private async Task<CloudBlockBlob> CreateBlockBlob(CloudBlobContainer container,  string blobNameToCreate)
    {
        var blockBlob = container.GetBlockBlobReference(blobNameToCreate);

        var i = 1;
        while (await blockBlob.ExistsAsync())
        {
            var newBlobNameToCreate = CreateRandomFileName(blobNameToCreate,i.ToString());
            blockBlob = container.GetBlockBlobReference(newBlobNameToCreate);
            i++;
        }

        return blockBlob;
    }



    private string CreateRandomFileName(string fileNameWithExtension, string prefix=null)
    {

        int fileExtPos = fileNameWithExtension.LastIndexOf(".", StringComparison.Ordinal);

        if (fileExtPos >= 0)
        {
            var ext = fileNameWithExtension.Substring(fileExtPos, fileNameWithExtension.Length - fileExtPos);
            var fileName = fileNameWithExtension.Substring(0, fileExtPos);

            return String.Format("{0}_{1}{2}", fileName, String.IsNullOrWhiteSpace(prefix) ? new Random().Next(int.MinValue, int.MaxValue).ToString():prefix,ext);
        }

        //This means there is no Extension for the file and its fine attaching random number at the end.
        return String.Format("{0}_{1}", fileNameWithExtension, new Random().Next(int.MinValue, int.MaxValue));
    }

每次在 blob 存储中存在文件时,我都会使用此代码创建一个连续的 _1、_2、_3 等文件名。

于 2015-10-02T16:56:17.460 回答
1

这是此链接中问题的答案,但他们将其标记为重复,所以我在这里发布我的答案。

我创建了这个概念证明类(可能包含错误)。代码注释中的更多解释。

using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text.RegularExpressions;

namespace ConsoleApp
{
    class Program
    {
        static void Main( string[] args )
        {
            var testFilePaths = new List<string>
            {
                @"c:\test\file.txt",
                @"c:\test\file(1).txt",
                @"c:\test\file(2).txt",
                @"c:\TEST2\file(3).txt",
                @"c:\test\file(5).txt",
                @"c:\test\file(5)abc.txt",
                @"c:\test\file(5).avi"
            };

            // inspect in debbuger for correct values
            var withSuffix      = new DecomposedFilePath( "c:\\files\\file(13).txt");
            var withoutSuffix   = new DecomposedFilePath( "c:\\files\\file(abc).txt");
            var withExtraNumber = new DecomposedFilePath( "c:\\files\\file(34)xyz(35).txt"); // "(34)" in the middle should be ignored

            DecomposedFilePath changedSuffix = withExtraNumber.ReplaceSuffix( 1999 ); // "file(34)xyz(35).txt" -> "file(34)xyz(1999).txt"
            DecomposedFilePath removedSuffix = changedSuffix.ReplaceSuffix( null ); // "file(34)xyz(1999).txt" -> "file(34)xyz.txt"

            var testPath = new DecomposedFilePath( "c:\\test\\file.txt");
            DecomposedFilePath nextPath1 = testPath.GetFirstFreeFilePath( testFilePaths );

            // update our list
            testFilePaths.Add( nextPath1.FullFilePath );
            DecomposedFilePath nextPath2 = testPath.GetFirstFreeFilePath( testFilePaths );
        
            testFilePaths.Add( nextPath2.FullFilePath );
            DecomposedFilePath nextPath3 = testPath.GetFirstFreeFilePath( testFilePaths );
        }
    }

    public sealed class DecomposedFilePath
    {
        public DecomposedFilePath( string filePath )
        {
            FullFilePath = Path.GetFullPath( filePath );
        }

        // "c:\myfiles\file(4).txt"
        public string FullFilePath { get; }

        // "file" or "file(1)"
        public string FileNameWithoutExt => Path.GetFileNameWithoutExtension( FullFilePath );

        // "file(13)" -> "file"
        public string FileNameWithoutExtAndSuffix => FileNameWithoutExt.Substring( 0, FileNameWithoutExt.Length - Suffix.Length ); // removes suffix

        // ".txt"
        public string Extenstion => Path.GetExtension( FullFilePath );

        // "c:\myfiles"
        public string DirectoryPath => Path.GetDirectoryName( FullFilePath );

        // "file(23)" -> "23", file -> stirng.Empty
        public string Suffix
        {
            get
            {
                // we want to extract suffix from file name, e.g. "(34)" from "file(34)"
                // I am not good at regex, but I hope it will work correctly

                var regex = new Regex( @"\([0-9]+\)$" );
                Match match = regex.Match( FileNameWithoutExt );

                if (!match.Success) return string.Empty; // suffix not found

                return match.Value; // return "(number)"
            }
        }

        // tranlates suffix "(33)" to 33. If suffix is does not exist (string.empty), returns null (int?)
        public int? SuffixAsInt
        {
            get
            {
                if (Suffix == string.Empty) return null;

                string numberOnly = Suffix.Substring( 1, Suffix.Length - 2 ); // remove '(' from beginning and ')' from end

                return int.Parse( numberOnly );
            }
        }

        // e.g. input is suffix: 56 then it changes file name from "file(34)" to "file(56)"
        public DecomposedFilePath ReplaceSuffix( int? suffix ) // null - removes suffix
        {
            string strSuffix = suffix is null ? string.Empty : $"({suffix})"; // add ( and )

            string path = Path.Combine( DirectoryPath, FileNameWithoutExtAndSuffix + strSuffix + Extenstion ); // build full path

            return new DecomposedFilePath( path );
        }

        public DecomposedFilePath GetFirstFreeFilePath( IEnumerable<string> filesInDir )
        {
            var decomposed = filesInDir
                // convert all paths to our class
                .Select( x => new DecomposedFilePath( x ) )
                // pick files only with the same extensionm as our base file, ignore case
                .Where( x => string.Equals( Extenstion, x.Extenstion, StringComparison.OrdinalIgnoreCase) )
                // pick files only with the same name (ignoring suffix)
                .Where( x => string.Equals( FileNameWithoutExtAndSuffix, x.FileNameWithoutExtAndSuffix, StringComparison.OrdinalIgnoreCase) )
                // with the same directory
                .Where( x => string.Equals( DirectoryPath, x.DirectoryPath, StringComparison.OrdinalIgnoreCase) )
                .ToList(); // create copy for easier debugging

            if (decomposed.Count == 0) return this; // no name collision

            int? firstFreeSuffix = Enumerable.Range( 1, int.MaxValue) // start numbering duplicates from 1
                                  .Select( x => (int?) x) // change to int? because SuffixAsInt is of that type
                                  .Except( decomposed.Select( x => x.SuffixAsInt) ) // remove existing suffixes
                                  .First(); // get first free suffix

            return ReplaceSuffix( firstFreeSuffix );
        }

        public override string ToString() => FullFilePath;
    }
}
于 2020-10-17T12:15:21.470 回答
0

这只是一个字符串操作;在文件名字符串中找到要插入数字的位置,然后用插入的数字重新构造一个新字符串。为了使其可重用,您可能希望在该位置查找一个数字,并将其解析为一个整数,以便您可以递增它。

请注意,这种生成唯一文件名的方式通常是不安全的;有明显的比赛条件危险。

平台中可能有现成的解决方案,我没有跟上 C# 的速度,所以我无能为力。

于 2009-07-03T06:37:29.070 回答
0

查看Path类中的方法,特别是Path.GetFileNameWithoutExtension()Path.GetExtension()

您甚至可能会发现Path.GetRandomFileName()很有用!

编辑:

过去,我使用了尝试编写文件(使用我想要的名称)的技术,然后如果IOException抛出适当的名称,则使用上述函数创建一个新名称,重复直到成功。

于 2009-07-03T06:38:49.147 回答
0

如果需要,此方法将向现有文件添加索引:

如果文件存在,则查找最后一个下划线的位置。如果下划线后面的内容是数字,则增加这个数字。否则添加第一个索引。重复直到找到未使用的文件名。

static public string AddIndexToFileNameIfNeeded(string sFileNameWithPath)
{
    string sFileNameWithIndex = sFileNameWithPath;

    while (File.Exists(sFileNameWithIndex)) // run in while scoop so if after adding an index the the file name the new file name exist, run again until find a unused file name
    { // File exist, need to add index

        string sFilePath = Path.GetDirectoryName(sFileNameWithIndex);
        string sFileName = Path.GetFileNameWithoutExtension(sFileNameWithIndex);
        string sFileExtension = Path.GetExtension(sFileNameWithIndex);

        if (sFileName.Contains('_'))
        { // Need to increase the existing index by one or add first index

            int iIndexOfUnderscore = sFileName.LastIndexOf('_');
            string sContentAfterUnderscore = sFileName.Substring(iIndexOfUnderscore + 1);

            // check if content after last underscore is a number, if so increase index by one, if not add the number _01
            int iCurrentIndex;
            bool bIsContentAfterLastUnderscoreIsNumber = int.TryParse(sContentAfterUnderscore, out iCurrentIndex);
            if (bIsContentAfterLastUnderscoreIsNumber)
            {
                iCurrentIndex++;
                string sContentBeforUnderscore = sFileName.Substring(0, iIndexOfUnderscore);

                sFileName = sContentBeforUnderscore + "_" + iCurrentIndex.ToString("000");
                sFileNameWithIndex = sFilePath + "\\" + sFileName + sFileExtension;
            }
            else
            {
                sFileNameWithIndex = sFilePath + "\\" + sFileName + "_001" + sFileExtension;
            }
        }
        else
        { // No underscore in file name. Simple add first index
            sFileNameWithIndex = sFilePath + "\\" + sFileName + "_001" + sFileExtension;
        }
    }

    return sFileNameWithIndex;
}
于 2015-01-04T11:22:45.410 回答
0

我是这样做的:

for (int i = 0; i <= 500; i++) //I suppose the number of files will not pass 500
        {       //Checks if C:\log\log+TheNumberOfTheFile+.txt exists...
            if (System.IO.File.Exists(@"C:\log\log"+conta_logs+".txt"))
            {
                conta_logs++;//If exists, then increment the counter
            }
            else
            {              //If not, then the file is created
                var file = System.IO.File.Create(@"C:\log\log" + conta_logs + ".txt");
                break; //When the file is created we LEAVE the *for* loop
            }
        }

我认为这个版本不像其他版本那么难,而且它是用户想要的直接答案。

于 2015-02-28T21:49:03.813 回答
0

希望这个自迭代功能可能会有所帮助。这对我来说可以。

public string getUniqueFileName(int i, string filepath, string filename)
    {
        string path = Path.Combine(filepath, filename);
        if (System.IO.File.Exists(path))
        {
            string name = Path.GetFileNameWithoutExtension(filename);
            string ext = Path.GetExtension(filename);
            i++;
            filename = getUniqueFileName(i, filepath, name + "_" + i + ext);
        }
        return filename; 
    }
于 2018-03-02T11:37:31.257 回答
0

如果您只需要一个唯一的文件名,那么,这个怎么样?

Path.GetRandomFileName()
于 2018-11-06T05:36:59.360 回答
0

我遇到了这个问题,因为其他答案似乎都没有以我想要的方式解决它,所以我自己做了。

static string CheckIfFileExists(string filePath)
{
    if (File.Exists(filePath))
    {
        string parentDir = Directory.GetParent(filePath).FullName;
        string fileName = new DirectoryInfo(filePath).Name;
        string extension = Path.GetExtension(fileName);
        fileName = Path.GetFileNameWithoutExtension(fileName);
        if (CheckIfFileNameHasIndex(fileName))
        {
            string strIndex = fileName[(fileName.LastIndexOf('(')+1)..fileName.LastIndexOf(')')]; //range
            int index = int.Parse(strIndex);
            index++;
            fileName = fileName.Substring(0, fileName.LastIndexOf('(')) + "(" + index + ')';
            filePath = Path.Combine(parentDir, fileName + extension);
            return CheckIfFileExists(filePath);
        }
        else
        {
            fileName = fileName + " (1)";
            filePath = Path.Combine(parentDir, fileName + extension);
            return CheckIfFileExists(filePath);
        }
    }
    return filePath;
}

//checks if filename has an index (e.g. "file(2).jpg")
static bool CheckIfFileNameHasIndex(string fileName)
{
    bool isSuccessful = false;
    if (fileName.LastIndexOf('(')!=-1 && fileName.LastIndexOf(')')!=-1)
    {
        string index = fileName[(fileName.LastIndexOf('(')+1)..fileName.LastIndexOf(')')]; //range
        int result;
        isSuccessful = int.TryParse(index, out result);
    }
    return isSuccessful;
}

CheckIfFileExists 方法是递归的,因此理论上它应该能够处理可能无限数量的重复项(例如“文件 (3484939).txt”)。当然,实际上,操作系统的最大文件名长度和类似的东西最终会成为瓶颈。

于 2021-10-26T19:28:14.157 回答