如何删除目录中每个文件的文件名中的中间字符

时间:2013-02-22 18:23:06

标签: c#

如何删除目录中每个文件名中间的字符?

我的目录中包含以下文件:“Example01.1234312232.txt”,“Example02.2348234324.txt”等。

我想删除“.1234312232”,因此它将命名为“Example01.txt”,并为目录中的每个文件执行此操作。

每个文件名的字符数始终相同。

5 个答案:

答案 0 :(得分:7)

您可以使用

string fileNameOnly = Path.GetFileNameWithoutExtension(path);
string newFileName = string.Format("{0}{1}",
                                   fileNameOnly.Split('.')[0],
                                   Path.GetExtension(path));

Demo

对于它的价值,您的目录重命名问题的完整代码:

foreach (string file in Directory.GetFiles(folder))
{
    string fileNameOnly = Path.GetFileNameWithoutExtension(file);
    string newFileName = string.Format("{0}{1}",
                           fileNameOnly.Split('.')[0],
                           Path.GetExtension(file));
    File.Move(file, Path.Combine(folder, newFileName));
}

答案 1 :(得分:1)

最简单的方法是使用

的正则表达式替换
\.\d+

表示空字符串""

var str = "Example01.1234312232.txt";
var res = Regex.Replace(str, @"\.\d+", "");
Console.WriteLine("'{0}'", res);

这是link to a demo on ideone

答案 2 :(得分:0)

您必须使用IO.DirectoryInfo类和GetFiles函数来获取文件列表。
循环所有文件并执行substring以获取所需的字符串 然后,您拨打My.Computer.Filesystem.RenameFile重命名文件。

答案 3 :(得分:0)

使用此:

filename.Replace(filename.Substring(9, 15), ".txt")

您可以对索引和长度进行硬编码,因为您说字符数具有相同的长度。

答案 4 :(得分:0)

使用Directory.EnumerateFiles枚举文件,使用Regex.Replace获取新名称,使用File.Move重命名文件:

using System.IO;
using System.Text.RegularExpressions;

class SampleSolution
{
    public static void Main()
    {
        var path = @"C:\YourDirectory";
        foreach (string fileName in Directory.EnumerateFiles(path))
        {
            string changedName = Regex.Replace(fileName, @"\.\d+", string.Empty);
            if (fileName != changedName)
            {
                File.Move(fileName, changedName);    
            }
        }
    }
}