I took the following code from http://www.w3schools...p_variables.asp
<?php
$a = 5;
$b = 10;
function myTest()
{
global $a, $b;
$b = $a + $b;
}
myTest();
echo $b; (this outputs 15)
?>
The echo of $b comes after the closing of the function. The output is 15. If you add another echo inside the function like below:
<?php
$a = 5;
$b = 10;
function myTest()
{
global $a, $b;
$b = $a + $b;
}
echo $b; (this one outputs 10)
myTest();
echo $b; (this one outputs 15)
?>
then the output for that echo is 10.
I understand that the function is calling the global variables, but shouldnt the echo inside the function equal 15 and the one outside equal 10?, since it only refers to the global "$b" and is outside the function? Or does the global call inside the function completely change $b for the rest of the script?
Thanks guys (and gals)