'Reset PHP Array Index
I have a PHP array that looks like this:
[3] => Hello
[7] => Moo
[45] => America
What PHP function makes this?
[0] => Hello
[1] => Moo
[2] => America
Solution 1:[1]
The array_values() function [docs] does that:
$a = array(
3 => "Hello",
7 => "Moo",
45 => "America"
);
$b = array_values($a);
print_r($b);
Array
(
[0] => Hello
[1] => Moo
[2] => America
)
Solution 2:[2]
If you want to reset the key count of the array for some reason;
$array1 = [
[3] => 'Hello',
[7] => 'Moo',
[45] => 'America'
];
$array1 = array_merge($array1);
print_r($array1);
Output:
Array(
[0] => 'Hello',
[1] => 'Moo',
[2] => 'America'
)
Solution 3:[3]
Use array_keys() function get keys of an array and array_values() function to get values of an array.
You want to get values of an array:
$array = array( 3 => "Hello", 7 => "Moo", 45 => "America" );
$arrayValues = array_values($array);// returns all values with indexes
echo '<pre>';
print_r($arrayValues);
echo '</pre>';
Output:
Array
(
[0] => Hello
[1] => Moo
[2] => America
)
You want to get keys of an array:
$arrayKeys = array_keys($array);// returns all keys with indexes
echo '<pre>';
print_r($arrayKeys);
echo '</pre>';
Output:
Array
(
[0] => 3
[1] => 7
[2] => 45
)
Solution 4:[4]
you can use for more efficient way :
$a = [
3 => "Hello",
7 => "Moo",
45 => "America"
];
$a = [...$a];
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
| Solution | Source |
|---|---|
| Solution 1 | |
| Solution 2 | Allan Mwesigwa |
| Solution 3 | Gufran Hasan |
| Solution 4 |
