计算数组集中的唯一值

Counting a unique value from an Array set

我有一个重复相同值两次的数组。我无法计算唯一值的总数。我的意思是 phone 号码是唯一的,当同一个 phone 号码出现两次时,它应该被算作一个。

我试过array_unique方法。计算唯一值的总数。然而它用 returns 数组的总数代替。请帮我解决这个问题。

<div class="c100 p100 big dark green">
    <?php
    $url = 'xxxxxxxxxxxxxxxxxxxxxxxx'; // path to your JSON file
    //$url = 'data.json'; // path to your JSON file
    $data = file_get_contents($url); // put the contents of the file into a variable
    $characters = json_decode($data);
    $array = array_values(array_unique($characters, SORT_REGULAR));
    $i = 0;
    foreach ($array as $character) {
        $i++;
        ?>
    <?php }
    ?>
    <span>
    <?php
    echo $i;
    ?>
    </span>
    <div class="slice">
        <div class="bar"></div>
        <div class="fill"></div>
    </div>
</div>

JSON

[{"name":"xxxxxxxx","phoneNumber":"222223wssd","amount":50.00,"won":false,"date":"2019-05-01T02:35:38"},
{"name":"xxxxxxxx","phoneNumber":"222223wssd","amount":60.05,"won":false,"date":"2019-05-01T09:01:04"}]

期望值应该计算唯一值而不是数组中的所有值。

您可以使用 array_column 来仅获取唯一的 phone 数量项。
此代码使数组与 phone 数字关联,这意味着它删除了重复项。

然后我使用 count() 来计算项目的数量,而不是循环数组。

$json = '[{"name":"xxxxxxxx","phoneNumber":"222223wssd","amount":50.00,"won":false,"date":"2019-05-01T02:35:38"},
{"name":"xxxxxxxx","phoneNumber":"222223wssd","amount":60.05,"won":false,"date":"2019-05-01T09:01:04"}]';

$arr = json_decode($json, true);
$unique = array_column($arr, null, 'phoneNumber');

echo count($unique) . "\n";

var_dump($unique);

输出:

1 //count()
array(1) { // var_dump()
  ["222223wssd"]=>
  array(5) {
    ["name"]=>
    string(8) "xxxxxxxx"
    ["phoneNumber"]=>
    string(10) "222223wssd"
    ["amount"]=>
    float(60.05)
    ["won"]=>
    bool(false)
    ["date"]=>
    string(19) "2019-05-01T09:01:04"
  }
}

https://3v4l.org/A4p6d