0

所以我有两个文件,格式如下:

第一个文件

adam 20 male
ben 21 male

第二个文件

adam blonde
adam white
ben  blonde

我想做的是在第一个文件中使用 adam 的实例,并在第二个文件中搜索它并打印出属性。

数据由选项卡“\ t”分隔,所以这就是我到目前为止所拥有的。

$firstFile = fopen("file1", "rb"); //opens first file
$i=0;
$k=0;
while (!feof($firstFile) ) { //feof = while not end of file

$firstFileRow = fgets($firstFile);  //fgets gets line
$parts = explode("\t", $firstFileRow); //splits line into 3 strings using tab delimiter

$secondFile= fopen("file2", "rb");                          
        $countRow = count($secondFile);                 //count rows in second file     
        while ($i<= $countRow){     //while the file still has rows to search                       
            $row = fgets($firstFile);   //gets whole row                                
            $parts2 = explode("\t", $row);              
            if ($parts[0] ==$parts2[0]){                    
            print $parts[0]. " has " . $parts2[1]. "<br>" ; //prints out the 3 parts
            $i++;
            }
        }


}

我不知道如何遍历第二个文件,获取每一行,并与第一个文件进行比较。

4

2 回答 2

0

您在内部循环中有错字,您正在阅读firstfile并且应该阅读第二个文件。此外,退出内部循环后,您可能希望将secondfile指针重新绕回到开头。

于 2013-02-06T11:42:06.730 回答
0

这个怎么样:

function file2array($filename) {
    $file = file($filename);
    $result = array();
    foreach ($file as $line) {
        $attributes = explode("\t", $line);
        foreach (array_slice($attributes, 1) as $attribute)
            $result[$attributes[0]][] = $attribute;
    }
    return $result;
}

$a1 = file2array("file1");
$a2 = file2array("file2");
print_r(array_merge_recursive($a1, $a2));

它将输出以下内容:

Array (
    [adam] => Array (
        [0] => 20
        [1] => male
        [2] => blonde
        [3] => white
    )
    [ben] => Array (
        [0] => 21
        [1] => male
        [2] => blonde
    )
)

但是,如果文件很大(> 100MB),这个文件会同时读取两个文件并且会崩溃。另一方面,90% 的 php 程序都有这个问题,因为file()它很流行 :-)

于 2013-02-06T13:33:36.297 回答