Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How can Directory.Getfiles() multi searchpattern filters c# [duplicate]

Possible Duplicate:
Can you call Directory.GetFiles() with multiple filters?

I have a string array:

string[] pattern={"*.jpg","*.txt","*.asp","*.css","*.cs",.....};

this string pattern

string[] dizin = Directory.GetFiles("c:\veri",pattern);

How dizin variable C:\veri directories under the directory of files assign?

like image 637
bmurat Avatar asked Jan 15 '13 02:01

bmurat


2 Answers

You could use something like this

string[] extensions = { "jpg", "txt", "asp", "css", "cs", "xml" };

string[] dizin = Directory.GetFiles(@"c:\s\sent", "*.*")
    .Where(f => extensions.Contains(f.Split('.').Last().ToLower())).ToArray();

Or use FileInfo.Extension bit safer than String.Split but may be slower

string[] extensions = { ".jpg", ".txt", ".asp", ".css", ".cs", ".xml" };

string[] dizin = Directory.GetFiles(@"c:\s\sent", "*.*")
    .Where(f => extensions.Contains(new FileInfo(f).Extension.ToLower())).ToArray();

Or as juharr mentioned you can also use System.IO.Path.GetExtension

string[] extensions = { ".jpg", ".txt", ".asp", ".css", ".cs", ".xml" };

string[] dizin = Directory.GetFiles(@"c:\s\sent", "*.*")
    .Where(f => extensions.Contains(System.IO.Path.GetExtension(f).ToLower())).ToArray();
like image 111
sa_ddam213 Avatar answered Oct 20 '22 09:10

sa_ddam213


You have different alternatives.

String[] files = Directory.GetFiles(path, "*.*", SearchOption.AllDirectories).Where(s => s.ToLower().EndsWith(".jpg") || s.ToLower().EndsWith(".txt") || s.ToLower().EndsWith(".asp"));

Or:

String[] files = Directory.GetFiles(path).Where(file => Regex.IsMatch(file, @"^.+\.(jpg|txt|asp)$"));

Or (if you don't use Linq extensions):

List<String> files = new List<String>();
String[] extensions = new String[] { "*.jpg", "*.txt", "*.asp" };

foreach (String extension in extensions)
{
    String[] files = Directory.GetFiles(path, found, SearchOption.AllDirectories);

    foreach (String file in files)
        files.Add(file);
}
like image 2
Tommaso Belluzzo Avatar answered Oct 20 '22 08:10

Tommaso Belluzzo