It looks like you've got two functions here:
1) Find the Files with names like ACCESS*
2) Search those files for lines like "Identity=*"
To do the first, use a DirectoryInfo object and the GetFiles() method with a search pattern of "ACCESS*".
DirectoryInfo myDir = new DirectoryInfo(dirPath);
var files = DirectoryInfo.GetFiles("ACCESS*");
Then you'll loop through those files looking for the data you need.
List<Tuple<string, string>> IdentityLines = new List<Tuple<string, string>>();//Item1 = filename, Item2 = line
foreach(FileInfo file in files)
{
using(StreamReader sr = new StreamReader(file.FullName) //double check that file.FullName I don't remember for sure if it's right
{
while(!string.IsNullOrEmpty(string line = sr.Read())
{
if(line.StartsWith("Identity="))
IdentityLines.Add(file.FileName, line);
}
}
}
This hasn't been compiled, so double check it, but it should be pretty close to what you need.
EDIT: Added full solution based on comments from OP. Has been compiled and run.
DirectoryInfo myDir = new DirectoryInfo(@"C:\Testing");
var Files = myDir.GetFiles("ACCESS*");
List<KeyValuePair<string, string>> IdentityLines = new List<KeyValuePair<string, string>>();
foreach(FileInfo file in Files)
{
string line = "";
using(StreamReader sr = new StreamReader(file.FullName))
{
while(!String.IsNullOrEmpty(line = sr.ReadLine()))
{
if(line.ToUpper().StartsWith("IDENTITY="))
IdentityLines.Add(new KeyValuePair<string, string>(file.Name, line));
}
}
}
foreach(KeyValuePair<string, string> line in IdentityLines)
{
Console.WriteLine("FileName {0}, Line {1}", line.Key, line.Value);
}