在 C# 中,我想从与以下掩码匹配的特定目录中获取所有文件:
- 前缀是
"myfile_"
- 后缀是一些数字
- 文件扩展名是
xml
IE
myfile_4.xml
myfile_24.xml
以下文件不应与掩码匹配:
_myfile_6.xml
myfile_6.xml_
代码应该喜欢这个(也许一些 linq 查询可以提供帮助)
string[] files = Directory.GetFiles(folder, "???");
谢谢
在 C# 中,我想从与以下掩码匹配的特定目录中获取所有文件:
"myfile_"
xml
IE
myfile_4.xml
myfile_24.xml
以下文件不应与掩码匹配:
_myfile_6.xml
myfile_6.xml_
代码应该喜欢这个(也许一些 linq 查询可以提供帮助)
string[] files = Directory.GetFiles(folder, "???");
谢谢
我不擅长正则表达式,但这可能会有所帮助 -
var myFiles = from file in System.IO.Directory.GetFiles(folder, "myfile_*.xml")
where Regex.IsMatch(file, "myfile_[0-9]+.xml",RegexOptions.IgnoreCase) //use the correct regex here
select file;
你可以试试这样:
string[] files = Directory.GetFiles("C:\\test", "myfile_*.xml");
//This will give you all the files with `xml` extension and starting with `myfile_`
//but this will also give you files like `myfile_ABC.xml`
//to filter them out
int temp;
List<string> selectedFiles = new List<string>();
foreach (string str in files)
{
string fileName = Path.GetFileNameWithoutExtension(str);
string[] tempArray = fileName.Split('_');
if (tempArray.Length == 2 && int.TryParse(tempArray[1], out temp))
{
selectedFiles.Add(str);
}
}
因此,如果您的 Test 文件夹中有文件:
myfile_24.xml
MyFile_6.xml
MyFile_6.xml_
myfile_ABC.xml
_MyFile_6.xml
然后你会进去selectedFiles
myfile_24.xml
MyFile_6.xml
您可以执行以下操作:
Regex reg = new Regex(@"myfile_\d+.xml");
IEnumerable<string> files = Directory.GetFiles("C:\\").Where(fileName => reg.IsMatch(fileName));