PHP - Arrays
How can we create an numerically-indexed array?
$cars = array("Volvo", "BMW", "Toyota");
or the index can be assigned manually:
$cars[0] = "Volvo";
$cars[1] = "BMW";
$cars[2] = "Toyota";
How can we determine the length of a numerically-indexed array?
Use the count() function:
$cars = array("Volvo", "BMW", "Toyota");
echo count($cars);
How can we loop through a numerically-indexed array?
$cars = array("Volvo", "BMW", "Toyota");
$arrlength = count($cars);
for($x = 0; $x < $arrlength; $x++) {
echo $cars[$x];
echo "<br>";
}
How can we create an associative array?
$age = array("Peter"=>"35", "Ben"=>"37", "Joe"=>"43");
or:
$age['Peter'] = "35";
$age['Ben'] = "37";
$age['Joe'] = "43";
The named keys can then be used in a script:
<?php
$age = array("Peter"=>"35", "Ben"=>"37", "Joe"=>"43");
echo "Peter is " . $age['Peter'] . " years old.";
?>
How can we loop through an associative array?
To loop through and print all the values of an associative array, you could use a foreach loop, like this:
<?php
$age = array("Peter"=>"35", "Ben"=>"37", "Joe"=>"43");
foreach($age as $x => $x_value) {
echo "Key=" . $x . ", Value=" . $x_value;
echo "<br>";
}
?>
How can we push an element onto an array?
$data = array();
$data[] = $row;
page revision: 1, last edited: 06 Jul 2016 16:23





