web-dev-qa-db-ja.com

C#:数字を追加して一意のファイル名をどのように作成しますか?

ファイル名をstringまたはFileInfoとして受け取り、ファイルが存在する場合はファイル名にインクリメントした数値を追加するメソッドを作成したいと思います。しかし、これを良い方法で行う方法について頭を悩ますことはできません。

たとえば、このFileInfoがある場合

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

C:\ file 1.ext if C:\ file.extが存在し、C:\ file 2.ext if C:\ file 1.extが存在する場合など。このようなもの:

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.
}
44
Svish

ここにたくさんの良いアドバイスがあります。 Marc in 別の質問への回答 で記述されたメソッドを使用することになりました。それを少し再フォーマットし、「外部から」使いやすくするために別のメソッドを追加しました。結果は次のとおりです。

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 sコードは問題なく動作します!)問題が見つかった場合は、コメントや編集などを行ってください:)

29
Svish
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);
    }
}

明らかに、これは他の回答で述べたように競合状態に対して脆弱です。

50
Mehrdad Afshari

きれいではありませんが、私はしばらくこれを持っています:

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;
}

ファイルが既に存在すると仮定します:

  • File.txt
  • File(1).txt
  • File(2).txt

getNextFileName( "File.txt")を呼び出すと、 "File(3).txt"が返されます。

バイナリ検索を使用しないため、最も効率的ではありませんが、ファイル数が少ない場合は問題ありません。そして、競合状態を考慮していません...

17

ファイルが存在するかどうかを確認するのが非常に難しい場合は、いつでもファイル名に日付と時刻を追加して一意にすることができます。

FileName.YYYYMMDD.HHMMSS

必要に応じてミリ秒を追加することもできます。

12
mga911

形式が気にならない場合は、電話することができます:

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 でこれについて詳しく読んでください。

5
TheVillageIdiot
/// <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)はそれを保証しますが、必要だとは思いません

4
Michael Stum

ファイル名に新しいGUID=を挿入します。

3

目的のファイル名の特定のバリアントがあるかどうかを確認するためにディスクを何度も突く代わりに、既存のファイルのリストを要求し、アルゴリズムに従って最初のギャップを見つけることができます。

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;
    }
}    
1
Handcraftsman

アイデアは、既存のファイルのリストを取得し、数値を解析して、次に高いファイルを作成することです。

注:これは競合状態に対して脆弱です。したがって、これらのファイルを作成するスレッドが複数ある場合は、注意してくださいです。

注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));
}
1
lc.

このメソッドは、必要に応じて既存のファイルにインデックスを追加します。

ファイルが存在する場合、最後の下線の位置を見つけます。アンダースコアの後のコンテンツが数字の場合、この数字を増やします。それ以外の場合は、最初のインデックスを追加します。未使用のファイル名が見つかるまで繰り返します。

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;
}
0
Gil Epshtain
    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));
    }

このコードを使用して、連続した_1、_2、_3などを作成します。ファイルがBLOBストレージに存在するたびにファイル名を作成します。

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; 
    }
0
Bikuz

私はこのようにしました:

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
            }
        }

このバージョンは他のバージョンほど難しいものではなく、ユーザーが望んでいたものに対する簡単な答えだと思います。

0
Hélder Pinto

一意のファイル名だけが必要な場合、これはどうですか?

Path.GetRandomFileName()
0
Oleg

これは単なる文字列操作です。ファイル名文字列で番号を挿入する場所を見つけ、番号を挿入した新しい文字列を再構築します。再利用できるようにするには、その場所で番号を探して探し、整数に解析して、インクリメントできるようにすることができます。 。

これは一般的に、一意のファイル名を生成するこの方法は安全ではないことに注意してください。明らかな 競合状態 ハザードがあります。

プラットフォームにはこのための既製のソリューションがあるかもしれませんが、私はC#に精通していないので、そこでは助けられません。

0
unwind

Path クラス、具体的には Path.GetFileNameWithoutExtension() 、および Path.GetExtension() のメソッドを見てください。

Path.GetRandomFileName() が役立つかもしれません!

編集:

過去に、ファイルを(目的の名前で)書き込もうとし、適切なIOExceptionがスローされる場合は上記の関数を使用して新しい名前を作成し、成功するまで繰り返すという手法を使用しました。

0
Steve Guidi