如何處理PHP Set集合中的空值

PHP
小樊
85
2024-08-31 01:42:31

在 PHP 中,處理 Set 集合(數(shù)組)中的空值可以通過多種方法實(shí)現(xiàn)

  1. 使用 array_filter() 函數(shù)刪除空值:
$set = [1, 2, null, 3, '', 4, null, 5];
$setWithoutNulls = array_filter($set, function ($value) {
    return $value !== null;
});
print_r($setWithoutNulls);
  1. 使用 array_diff() 函數(shù)刪除空值:
$set = [1, 2, null, 3, '', 4, null, 5];
$setWithoutNulls = array_diff($set, [null]);
print_r($setWithoutNulls);
  1. 使用 foreach 循環(huán)遍歷并刪除空值:
$set = [1, 2, null, 3, '', 4, null, 5];
$setWithoutNulls = [];
foreach ($set as $value) {
    if ($value !== null) {
        $setWithoutNulls[] = $value;
    }
}
print_r($setWithoutNulls);

這些方法都可以從 Set 集合中刪除空值。你可以根據(jù)自己的需求和喜好選擇合適的方法。

0