ArrayThe general syntax of assigning values to a array() is:
$clients[0] = 'Mike';
$clients[1] = 'David';
$clients[3] = 'John';
If you assign something to an array but leave the index blank,
PHP assigns the object onto the end of the array. The statements below is the
same as the above::
$clients[] = 'Mike';
$clients[] = 'David';
$clients[] = 'John';
You also can use the below syntax to create an array:
ArrayName array(
[index1]=>[value],
[index2]=>[value],
...
);
For example:
<?php
$userName = "John";
$clients = array(
0=>"Mike",
1=>"David",
2=>$userName
);
?>
To retrieve data from the array, we can:
<?php
echo "The client is $clients[1]";
?>
The output will be:
The client is David
To print all elements in the array, we can use the For loop:
<?php
for($i = 0; $i < count($clients); $i++) {
echo $clients[$i];
}
?>
|