1.GROUP BY
一键
此函数适用GROUP BY
于数组,但有一个重要限制:只有一个分组“列”( $identifier
) 是可能的。
function arrayUniqueByIdentifier(array $array, string $identifier)
{
$ids = array_column($array, $identifier);
$ids = array_unique($ids);
$array = array_filter($array,
function ($key, $value) use($ids) {
return in_array($value, array_keys($ids));
}, ARRAY_FILTER_USE_BOTH);
return $array;
}
2. 检测表的唯一行(二维数组)
此功能用于过滤“行”。如果我们说,一个二维数组是一个表,那么它的每个元素就是一行。因此,我们可以使用此功能删除重复的行。如果它们的所有列(第二维的元素)相等,则两行(第一维的元素)相等。适用于“列”值的比较:如果一个值是简单类型,则该值本身将用于比较;否则将使用其类型 ( array
, object
, resource
, unknown type
)。
策略很简单:从原始数组中创建一个浅数组,其中元素是implode
原始数组的 d 个“列”;然后申请array_unique(...)
它; 最后使用检测到的 ID 过滤原始数组。
function arrayUniqueByRow(array $table = [], string $implodeSeparator)
{
$elementStrings = [];
foreach ($table as $row) {
// To avoid notices like "Array to string conversion".
$elementPreparedForImplode = array_map(
function ($field) {
$valueType = gettype($field);
$simpleTypes = ['boolean', 'integer', 'double', 'float', 'string', 'NULL'];
$field = in_array($valueType, $simpleTypes) ? $field : $valueType;
return $field;
}, $row
);
$elementStrings[] = implode($implodeSeparator, $elementPreparedForImplode);
}
$elementStringsUnique = array_unique($elementStrings);
$table = array_intersect_key($table, $elementStringsUnique);
return $table;
}
也可以改进比较,检测“列”值的类,如果它的类型是object
.
$implodeSeparator
应该或多或少复杂,zB spl_object_hash($this)
。
3. 检测表的唯一标识符列的行(二维数组)
该解决方案依赖于第二个。现在完整的“行”不需要是唯一的。如果一个“行”的所有相关“字段”(第二个维度的元素)都等于相应的“字段”(具有相同键的元素),则两个“行”(第一个维度的元素)现在是相等的。
“相关”“字段”是“字段”(第二维的元素),其键等于传递的“标识符”的元素之一。
function arrayUniqueByMultipleIdentifiers(array $table, array $identifiers, string $implodeSeparator = null)
{
$arrayForMakingUniqueByRow = $removeArrayColumns($table, $identifiers, true);
$arrayUniqueByRow = $arrayUniqueByRow($arrayForMakingUniqueByRow, $implodeSeparator);
$arrayUniqueByMultipleIdentifiers = array_intersect_key($table, $arrayUniqueByRow);
return $arrayUniqueByMultipleIdentifiers;
}
function removeArrayColumns(array $table, array $columnNames, bool $isWhitelist = false)
{
foreach ($table as $rowKey => $row) {
if (is_array($row)) {
if ($isWhitelist) {
foreach ($row as $fieldName => $fieldValue) {
if (!in_array($fieldName, $columnNames)) {
unset($table[$rowKey][$fieldName]);
}
}
} else {
foreach ($row as $fieldName => $fieldValue) {
if (in_array($fieldName, $columnNames)) {
unset($table[$rowKey][$fieldName]);
}
}
}
}
}
return $table;
}