我理解如何根据特定的命名模式与Regex匹配文件名,我想将文件移动到目录中与文件名具有匹配详细信息的特定文件夹。例如,
reportONE14073012300000.xls
一般格式为:
(Filename\YYMMDD\HRS\MM\SS.xls)
此文件位于临时位置A:temp
内,但需要转到
A:\Report\2014\ONE\July\30\1200\0030
一般格式为:
(A:\Report\2014\ONE\MM\DD\HH\MM)
答案 0 :(得分:0)
以下代码段将解析输入文本并将其转换为预期路径。
string name = "reportONE14073012300000";
var match = Regex.Match(name, @"(?i)[a-z]+(\d{14})");
if(match.Success)
{
DateTime dt = DateTime.ParseExact(match.Groups[1].Value,"yyMMddHHmmssff",CultureInfo.InvariantCulture);
string path = string.Format(@"A:\Report\{0}\ONE\{1}\{2}\{3}\{4}",
dt.ToString("yyyy"),
dt.ToString("MMMM"),
dt.ToString("dd"),
dt.ToString("HH00"),
dt.ToString("mm00"));
Console.WriteLine(path);// A:\Report\2014\ONE\July\30\1200\0030
}
我将文件部分留给自己,试一试。
答案 1 :(得分:0)
这样的事应该对你有用。它没有经过测试,但除了移动文件之外,还应该小心解析文件名并创建整个存档目录树。
方法Archive()
返回一个bool,指示是否移动了指定的文件。
您可能需要根据我对文件名格式的错误理解来调整正则表达式。
private static void ArchiveAll( DirectoryInfo dropDirectory , DirectoryInfo archiveRoot )
{
foreach ( FileInfo file in dropDirectory.EnumerateFiles("*.xls") )
{
Archive( file , archiveRoot ) ;
}
}
private static bool Archive( FileInfo file , DirectoryInfo archiveRoot )
{
bool wasArchived = false ;
Match m = rxFileNamePattern.Match(file.Name) ;
if ( m.Success )
{
string pfx = m.Groups["prefix"].Value ;
string sfx = m.Groups["suffix"].Value ;
string dtRaw = m.Groups["timestamp"].Value ;
DateTime dt = DateTime.ParseExact( dtRaw , "yyMMddHHmm" , CultureInfo.CurrentCulture ) ;
string path = Path.Combine( "." ,
pfx ,
dt.ToString( "yyyy" ) ,
sfx ,
dt.ToString( "MMMM" ) ,
dt.ToString( "dd" ) ,
dt.ToString( "HH00" ) ,
dt.ToString( "00mm" )
) ;
DirectoryInfo archive = archiveRoot.CreateSubdirectory( path ) ;
file.MoveTo( Path.Combine( archive.FullName , file.Name ) ) ;
wasArchived = true ;
}
return wasArchived ;
}
const string fnPattern = @"
^ # - start of text, followed by
(?<prefix> \p{Ll}+) # - prefix : 1 or more lowercase letters, followed by
(?<suffix> \p{Lu}+ ) # - suffix : 1 or more uppercase letters, followed by
(?<timestamp> \d{10} ) # - timestamp : 10 decimal digits in the form YYMMDDhhmm, followed by
(?<seconds> \d{4} ) # - seconds : 4 decimal digits
(?<ext> \.xls ) # - ext : the literal '.xls'
$ # - end of text.
" ;
const RegexOptions fnPatternOptions = RegexOptions.IgnoreCase
| RegexOptions.IgnorePatternWhitespace
| RegexOptions.ExplicitCapture
;
static readonly Regex rxFileNamePattern = new Regex( fnPattern , fnPatternOptions ) ;