Here is something neat I found out.
Say you are writing an application and one of the requirements is to allow File System search. You could always start using loops and such. I thought to myself why not do it in LINQ? I played around with it and in fact it is not so hard.
Lets see how it is done. Here is method that allows finding a specific file name in side a directory.
1: private List SearchFilesByName(string DirectoryPath, string FileName)
2: {
3: return (from file in new DirectoryInfo(DirectoryPath).GetFiles()
4: where file.Name == FileName select file).ToList();
5: }
Basically we Query the FileInfo[] which is returned from the GetFiles() method and compare the file name.
Here is another example for using a Query for the file extension, it is very much the same except for the condition:
1: private List SearchFilesByName(string DirectoryPath, string Extention)
2: {
3: return (from file in new DirectoryInfo(DirectoryPath).GetFiles()
4: where file.Extension == Extention
5: select file).ToList();
6: }
Of course this is only usable for one directory but you can easily expand it and make it recursive. I bet you are as lazy as I am so here is something
1: private List SearchFilesByExtention(DirectoryInfo Directoryinf, string Extention)
2: {
3: List res = new List();
4: DirectoryInfo[] Dirs = Directoryinf.GetDirectories();
5:
6: //Check the files that are in the current derectory
7: res = (from file in Directoryinf.GetFiles()
8: where file.Extension == Extention
9: select file).ToList();
10:
11: //Recursevly go over all the other directories
12: foreach (DirectoryInfo d in Dirs)
13: {
14: res.AddRange(SearchFilesByExtention(d, Extention));
15: }
16: return res;
17: }
Nice isn’t it? If I have a bug Please Comment.
Amit.
Copyright © 2008
This feed is for personal, non-commercial use only.
The use of this feed on other websites breaches copyright. If this content is not in your news reader, it makes the page you are viewing an infringement of the copyright. (Digital Fingerprint:
)