0

我正在尝试找到一种方法来比较 2 个文件中的某些文本,如果找到匹配项,则运行一个进程。

以下是文件示例;

'File A' = 此格式的自动文本列表;

example1
ex2
289 Example
fht_nkka

'File B' = 来自目录搜索的文件名;

example1
test2
test4785

使用我的 2 个示例文件,我想同时搜索它们并找到匹配项。

因此,上面的“文件 A”包含“示例 1”,而“示例 1”在“文件 B”中。我想要做的是根据所有匹配创建 'string[] 匹配。有没有一种简单的方法可以做到这一点?

注意:这些文件并不总是具有相同的行数据或行数。

4

4 回答 4

1
  1. System.IO.File.ReadAllLines()在这两个文件中的每一个上使用以创建两个字符串数组。
  2. 创建包含文件名的排序版本的数组以提高搜索性能。您可以为此目的使用 LINQ。
  3. 鉴于您的第一个文件具有固定布局,您所需的文件名应始终位于每条记录的第 4 行,因此您可以for在第二个数组上使用具有固定增量的循环来读取所需的文件名。
  4. 用于Array.BinarySearch()快速定位所需文件名是否存在于文件列表(即另一个数组)中。

这是代码的粗略草图:

string[] AllRecs = System.IO.File.ReadAllLines(FIRST_FILE_PATH);
string[] AllFileNames = System.IO.File.ReadAllLines(SECOND_FILE_PATH);
Array.Sort(AllFileNames);

for (int i = 3; i < AllRecs.Length; i += 8) 
{
    if (Array.BinarySearch(AllFileNames, AllRecs(i) + ".exe") >= 0)
        System.Diagnostics.Process.Start(AllRecs(i) + ".exe");

}
于 2013-09-09T12:52:53.630 回答
1

设法解决这个问题,这就是我所做的;

var fileAcontents = File.ReadAllLines(fileA);
var fileBcontents = File.ReadAllLines(fileB);

HashSet<string> hashSet = new HashSet<string>(fileAcontents);
foreach (string i in fileBList)
{
    if (hashSet.Contains(i))
    {
        // <- DO SOMETHING :)
    }
}
于 2013-10-03T13:01:42.927 回答
0
//Keep in a list of strings with FileA contents 

List<string> linesOfFileA = new List<string>();
string line ;

using (StreamReader sr = new StreamReader(pathToFileA)) 
{
    //read each line of fileA
    line = sr.ReadLine();
    while(line != null)
    {
        linesOfFileA.Add(line) ;
        line = sr.ReadLine();
    }
}
//Now read the contents of FileB

string fileWithoutExtension ;
int posOfExtension ;

using (StreamReader srB = new StreamReader(pathToFileB)) 
{
    //read each line of fileB
    line = sr.ReadLine();
    while(line != null)
    {
        posOfExtension = line.LastIndexOf(".");

        if(posOfExtension < 0)
        {
            fileWithoutExtension = line ;
        }               
        else
        {
            fileWithoutExtension = line.Substring(0,posOfExtension) ;
        }

        //Check to see if the FileA contains file but without Extension
        if(linesOfFileA.Contains(fileWithoutExtension))
        {
            //Store into another list / or execute here
        }
        line = sr.ReadLine();
    }
}

在代码的第一部分中,您跳过了所需的行数,但由于当前显示的格式,它们不会影响您的比较

于 2013-09-09T13:42:43.303 回答
-1

用文件 A 的内容填充字典对象,然后循环通过文件 B 的内容查询文件 A 的字典对象。如果您有大量数据,字典对象的原因是它的速度。

Dictionary<int, string> FileA = new Dictionary<int, string>();
string sFileAList = dataFileA;

遍历文件 A 的内容并添加到 i 是计数器的 Dict。

int count = 0;
foreach (string s in sFileAList.split('\n')) {
    count++;
    if (count > 3) FileA.Add(i, s);
}

然后在循环文件 B 内容时进行比较。

foreach (string s in dataFileB.split('\n')) {
    if (FileA.ContainsValue(s)) {
        // Run exe
    }
}
于 2013-09-09T12:37:38.320 回答