0

我想重命名一个目录 ( C:\Users\userPC\Desktop\MATT\PROVA\IMG\AW12),其中包含 3.000 个图像文件C#。这些图像实际上具有这种类型的名称:

area1_area2_area3_area4.jpg

我想把area2和area4组成一个新文件重命名为area2_area4.jpg. 这些区域没有固定数量的字符。我能怎么做?我发现这个讨论重命名服务器目录上的图像文件

但我是一个编程新手,我无法解决我的问题。

4

3 回答 3

2

Here is a solution.Please be aware that it will not check before making any mess :)

public void rename(String path)
{
  string[] files =System.IO.Directory.GetFiles(path);
  foreach(string s in files)
  {
     string[] ab=s.split('_');
     if(ab.Lenght>3)  
     {
         string newName=ab[1]+ab[3];
         System.IO.File.Move(s,path+newName);
     }
  }
}

You must call the method using this type of parameter

rename("C://Users//userPC//Desktop//MATT//PROVA//IMG//AW12//")

The separator can be changed here ->s.split('_')

于 2012-11-23T14:36:37.633 回答
1
using System.IO;

namespace ConsoleApplication
{
    public class Program
    {
        public static void Main(string[] args)
        {
            // Rename all files in the C:\Temp\ directory.
            Program.RenameFiles(new DirectoryInfo(@"C:\Temp\"));
        }

        public static void RenameFiles(DirectoryInfo path)
        {
            // Does the path exist?
            if (path.Exists)
            {
                // Get all files in the directory.
                FileInfo[] files = path.GetFiles("*.jpg");
                foreach (FileInfo file in files)
                {
                    // Split the filename
                    string[] parts = file.Name.Split('_');
                    // Concatinate the second and fourth part.
                    string newFilename = string.Concat(parts[1], "_", parts[3]);
                    // Combine the original path with the new filename.
                    string newPath = Path.Combine(path.FullName, newFilename);
                    // Move the file.
                    File.Move(file.FullName, newPath);
                }
            }
        }
    }
}
于 2012-11-23T14:51:58.893 回答
0

首先获取文件夹中包含的文件名列表

var listOfFileNames = Directory.GetFiles(directory);

您提到这些区域没有固定数量的字符(我假设这些区域由下划线字符分隔)。所以将每个文件名分成四个区域,使用下划线字符作为分隔符。

然后建立你的新文件名,例如,

foreach(var fileName in listOfFileNames)
{
    var areas = fileName.Split('_');
    var newFileName = string.Format({0}{1}{2}, areas[0], areas[1],".jpg");
}

希望这可以帮助

于 2012-11-23T14:42:06.950 回答