php editor Xinyi today introduces you to a common need in PHP: how to extract all the values in an array to form a new array. In PHP, we can use the array_values() function to achieve this function. This function will return a new array containing all the values of the original array, allowing us to further operate or process the array values. Next, let’s take a look at the specific implementation method!
Usearray_values()
function
array_values()
The function returns an array of all values in an array. It does not preserve the keys of the original array.
$array = ["foo" => "bar", "baz" => "qux"]; $values = array_values($array); // $values will be ["bar", "qux"]
Use loops
You can use a loop to manually get all the values of the array and add them to a new array.
$array = ["foo" => "bar", "baz" => "qux"]; $values = []; foreach ($array as $value) { $values[] = $value; } // $values will be ["bar", "qux"]
Userange()
function
If the array is a continuous array from 0 to n-1, you can use therange()
function to generate an array containing all values.
$array = range(0, 4); // $array will be [0, 1, 2, 3, 4]
Usearray_map()
function
array_map()
The function can apply a callback function to each value in the array. You can get all the values of an array by using an anonymous function.
$array = ["foo" => "bar", "baz" => "qux"]; $values = array_map(function ($value) { return $value; }, $array); // $values will be ["bar", "qux"]
Return the value of the associative array
If you need to return the value of an associative array, you can use thearray_column()
function.
$array = ["foo" => "bar", "baz" => "qux"]; $values = array_column($array, "value"); // $values will be ["bar", "qux"]
Processing multi-dimensional arrays
If the array is multi-dimensional, you can use therecursivefunction to get all values.
function get_array_values($array) { $values = []; foreach ($array as $value) { if (is_array($value)) { $values = array_merge($values, get_array_values($value)); } else { $values[] = $value; } } return $values; }
Performance considerations
Performance considerations should be taken into consideration when choosing the method used to obtain all values of an array. For small arrays, a loop or thearray_map()
function is usually the fastest option. For large arrays, thearray_values()
function is usually the most efficient.
The above is the detailed content of PHP returns all the values in the array to form an array. For more information, please follow other related articles on the PHP Chinese website!