我的应用程序在以下目录结构中生成文件
FolderMatchALeve1
-FileMatchALevel2_A.cs
-FileMatchALevel2_B.cs
-FolderMatchALevel2
--FileMatchALevel3_A.txt
--FileMatchALevel3_B.txt
我正在寻找一种重命名目录结构的方法,并进行以下更改 - 将“MatchA”更改为“AMatch”。
因此在执行程序后结果应如此:
FolderAMatchLeve1
-FileAMatchLevel2_A.cs
-FileAMatchLevel2_B.cs
-FolderAMatchLevel2
--FileAMatchLevel3_A.txt
--FileAMatchLevel3_B.txt
到目前为止,在寻求解决方案的过程中,我一直没有成功。请帮我找到解决方案。
我需要在C#Winforms中使用此解决方案,因为我们公司保留了传统产品。
编辑:
其他信息
每次有人运行我们的程序时,我都需要进行此更改。
我需要对3350个文件执行此操作
问题摘要:
简而言之,在递归(或迭代)遍历每个目录时,我希望它重命名其名称与匹配字符串匹配的文件,然后在出来之后重命名该目录,如果它也具有与该字符串匹配的名称(对于所有部分或完全匹配)。
答案 0 :(得分:1)
使用通配符我曾经能够使用基本移动命令更改许多文件的文件结尾。但这些变化可能会超出它。
但总的来说,这只是使用Directory Class或其他一个文件夹对文件夹进行的微不足道的递归。 伪代码是这样的:
请注意"适当的"重命名的方法是移动命令。实际上,在同一磁盘上移动和重命名之间没有技术差异。
你也可能想要把Nr。 4在布尔开关上。将其中一个参数命名为" DirectoryRename"。让它默认为true。在第一次调用时将其置为false,不要将其用于递归调用。
答案 1 :(得分:1)
快速而肮脏(但有效)
public static class DirectoryRenamer
{
public static void RenameDirectoryTree( string path, Func<string, string> renamingRule )
{
var di = new DirectoryInfo( path );
RenameDirectoryTree( di, renamingRule );
}
public static void RenameDirectoryTree( DirectoryInfo directory, Func<string, string> renamingRule )
{
InternalRenameDirectoryTree( directory, renamingRule );
var currentName = directory.Name;
var newName = renamingRule( currentName );
if ( currentName != newName )
{
var newDirname = Path.Combine( directory.Parent.FullName, newName );
directory.MoveTo( newDirname );
}
}
static void InternalRenameDirectoryTree( DirectoryInfo di, Func<string, string> renamingRule )
{
foreach ( var item in di.GetFileSystemInfos() )
{
var subdir = item as DirectoryInfo;
if ( subdir != null )
{
InternalRenameDirectoryTree( subdir, renamingRule );
var currentName = subdir.Name;
var newName = renamingRule( currentName );
if ( currentName != newName )
{
var newDirname = Path.Combine( subdir.Parent.FullName, newName );
subdir.MoveTo( newDirname );
}
}
var file = item as FileInfo;
if ( file != null )
{
var currentName = Path.GetFileNameWithoutExtension( file.Name );
var newName = renamingRule( currentName );
if ( currentName != newName )
{
var newFilename = Path.Combine( file.DirectoryName, newName + file.Extension );
file.MoveTo( newFilename );
}
}
}
}
}
样本用法
class Program
{
static void Main( string[] args )
{
DirectoryRenamer.RenameDirectoryTree(
@"C:\Test\FolderMatchALevel",
name => name.Replace( "MatchA", "AMatch" ) );
}
}