Com esses tipos de coisas, é muito melhor ser explícito sobre o que você deseja ou não.
Isso ajudará o próximo cara a não ser pego de surpresa com o comportamento de array_filter()
sem retorno de chamada. Por exemplo, acabei com essa pergunta porque esqueci se array_filter()
removeNULL
ou não. Perdi tempo quando poderia ter usado a solução abaixo e tive a minha resposta.
Além disso, a lógica é angnóstica de linguagem, no sentido de que o código pode ser copiado para outra linguagem sem ter que entender o comportamento de uma função php como array_filter
quando nenhum retorno de chamada é passado.
Na minha solução, é claro à primeira vista o que está acontecendo. Remova uma condicional para manter algo ou adicione uma nova condição para filtrar valores adicionais.
Desconsidere o uso real, array_filter()
já que estou apenas transmitindo um retorno de chamada personalizado - você pode prosseguir e extrair isso para sua própria função, se desejar. Estou apenas usando-o como açúcar para um foreach
loop.
<?php
$xs = [0, 1, 2, 3, "0", "", false, null];
$xs = array_filter($xs, function($x) {
if ($x === null) { return false; }
if ($x === false) { return false; }
if ($x === "") { return false; }
if ($x === "0") { return false; }
return true;
});
$xs = array_values($xs); // reindex array
echo "<pre>";
var_export($xs);
Outro benefício dessa abordagem é que você pode separar os predicados de filtragem em uma função abstrata que filtra um único valor por matriz e cria uma solução compostável.
Veja este exemplo e os comentários embutidos para a saída.
<?php
/**
* @param string $valueToFilter
*
* @return \Closure A function that expects a 1d array and returns an array
* filtered of values matching $valueToFilter.
*/
function filterValue($valueToFilter)
{
return function($xs) use ($valueToFilter) {
return array_filter($xs, function($x) use ($valueToFilter) {
return $x !== $valueToFilter;
});
};
}
// partially applied functions that each expect a 1d array of values
$filterNull = filterValue(null);
$filterFalse = filterValue(false);
$filterZeroString = filterValue("0");
$filterEmptyString = filterValue("");
$xs = [0, 1, 2, 3, null, false, "0", ""];
$xs = $filterNull($xs); //=> [0, 1, 2, 3, false, "0", ""]
$xs = $filterFalse($xs); //=> [0, 1, 2, 3, "0", ""]
$xs = $filterZeroString($xs); //=> [0, 1, 2, 3, ""]
$xs = $filterEmptyString($xs); //=> [0, 1, 2, 3]
echo "<pre>";
var_export($xs); //=> [0, 1, 2, 3]
Agora você pode criar dinamicamente uma função chamada filterer()
using pipe()
que aplicará essas funções parcialmente aplicadas a você.
<?php
/**
* Supply between 1..n functions each with an arity of 1 (that is, accepts
* one and only one argument). Versions prior to php 5.6 do not have the
* variadic operator `...` and as such require the use of `func_get_args()` to
* obtain the comma-delimited list of expressions provided via the argument
* list on function call.
*
* Example - Call the function `pipe()` like:
*
* pipe ($addOne, $multiplyByTwo);
*
* @return closure
*/
function pipe()
{
$functions = func_get_args(); // an array of callable functions [$addOne, $multiplyByTwo]
return function ($initialAccumulator) use ($functions) { // return a function with an arity of 1
return array_reduce( // chain the supplied `$arg` value through each function in the list of functions
$functions, // an array of functions to reduce over the supplied `$arg` value
function ($accumulator, $currFn) { // the reducer (a reducing function)
return $currFn($accumulator);
},
$initialAccumulator
);
};
}
/**
* @param string $valueToFilter
*
* @return \Closure A function that expects a 1d array and returns an array
* filtered of values matching $valueToFilter.
*/
function filterValue($valueToFilter)
{
return function($xs) use ($valueToFilter) {
return array_filter($xs, function($x) use ($valueToFilter) {
return $x !== $valueToFilter;
});
};
}
$filterer = pipe(
filterValue(null),
filterValue(false),
filterValue("0"),
filterValue("")
);
$xs = [0, 1, 2, 3, null, false, "0", ""];
$xs = $filterer($xs);
echo "<pre>";
var_export($xs); //=> [0, 1, 2, 3]