3

我有一个包含以下内容的文件:

toto;145
titi;7
tata;28

我将这个文件分解成一个数组。我能够使用该代码显示数据:

foreach ($lines as $line_num => $line) {
    $tab = explode(";",$line);
    //erase return line
    $tab[1]=preg_replace('/[\r\n]+/', "", $tab[1]);
    echo $tab[0]; //toto //titi //tata
    echo $tab[1]; //145 //7 //28
}

我想确保每个中包含的数据$tab[0]$tab[1]唯一的。

例如,如果文件如下,我想要一个“抛出新异常”:

toto;145
titi;7
tutu;7
tata;28

或喜欢:

toto;145
tata;7
tata;28

我怎样才能做到这一点 ?

4

6 回答 6

2

使用 将文件转换为数组file(),并通过额外的重复检查转换为关联数组。

$lines = file('file.txt', FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES);
$tab = array();
foreach ($lines as $line) {
    list($key, $val) = explode(';', $line);
    if (array_key_exists($key, $tab) || in_array($val, $tab)) {
        // throw exception
    } else {
        $tab[$key] = $val;
    }
}
于 2012-07-03T22:54:48.510 回答
1

将它们作为 key => value 对存储在数组中,并在循环文件时检查数组中是否已经存在每个键或值。您可以使用array_key_exists检查现有键,使用in_array检查现有值。

于 2012-07-03T22:40:36.823 回答
1

一个简单的方法是使用array_unique,在分解后将部件(tab[0] 和 tab[1])保存到两个单独的数组中,例如将它们命名为 $col1 和 $col2,然后,您可以执行以下简单测试:

<?php
if (count(array_unique($col1)) != count($col1))
echo "arrays are different; not unique";
?>

如果存在重复条目,PHP 会将您的数组部分变成唯一的,因此如果新数组的大小与原始数组不同,则意味着它不是唯一的。

于 2012-07-03T22:43:45.250 回答
0

当您遍历数组时,将值添加到现有数组中,即占位符,这将用于通过in_array()检查值是否存在。

<?php
$lines = 'toto;145 titi;7 tutu;7 tata;28';
$results = array();

foreach ($lines as $line_num => $line) {
    $tab = explode(";",$line);
    //erase return line
    $tab[1]=preg_replace('/[\r\n]+/', "", $tab[1]);

    if(!in_array($tab[0]) && !in_array($tab[1])){
        array_push($results, $tab[0], $tab[1]);
    }else{
        echo "value exists!";
        die(); // Remove/modify for different exception handling
    }

}

?>
于 2012-07-03T22:40:35.687 回答
0

使用键为“toto”、“tata”等的关联数组。
要检查键是否存在,您可以使用array_key_existsisset

顺便提一句。而不是preg_replace('/[\r\n]+/', "", $tab[1]),尝试trim(甚至rtrim)。

于 2012-07-03T22:41:28.097 回答
0
//contrived file contents
$file_contents = "
toto;145
titi;7
tutu;7
tata;28";

//split into lines and set up some left/right value trackers
$lines = preg_split('/\n/', trim($file_contents));
$left = $right = array();

//split each line into two parts and log left and right part
foreach($lines as $line) {
    $splitter = explode(';', preg_replace('/\r\n/', '', $line));
    array_push($left, $splitter[0]);
    array_push($right, $splitter[1]);
}

//sanitise left and right parts into just unique entries
$left = array_unique($left);
$right = array_unique($right);

//if we end up with fewer left or right entries than the number of lines, error...
if (count($left) < count($lines) || count($right) < count($lines))
    die('error');
于 2012-07-03T22:46:13.257 回答