Understanding variable scopes in php

2019-01-26 01:07发布

echo "Point1, a=".$a."\n";
echo "Point1, b=".$b."\n";
if(1<2)
    {
        $a = 6; 
        $b['link'] = "here";
        echo "Point2, a=".$a."\n";
        echo "Point2, b[link]=".$b['link']."\n";
    }
echo "Point3, a=".$a."\n";
echo "Point3, b[link]=".$b['link']."\n";

Why does the above code print out the following?

Point1, a=
Point1, b=
Point2, a=6
Point2, b[link]=here
Point3, a=6
Point3, b[link]=here

In my understanding, the scope of $a and $b should end within the curly braces { }!

标签: php scope
4条回答
啃猪蹄的小仙女
2楼-- · 2019-01-26 01:23

In PHP only functions introduce a new scope, unlike Java and other languages :((( So If you need a new scope you need to create a new function and call it.

$a = 1;


 call_user_func(function(){
     //new local scope
     $a = 99999;
});


echo $a;   //will print 1
查看更多
别忘想泡老子
3楼-- · 2019-01-26 01:24

The first $a and $b would actually throw a warning, undefined index as they haven't been declared before being output.

查看更多
来,给爷笑一个
4楼-- · 2019-01-26 01:25

In my understanding, the scope of $a and $b should end within the curly braces { }!

Only functions and methods have their own, local scope. Other control structures (loops, conditions...) do not.

Variable scope in the PHP manual

查看更多
Ridiculous、
5楼-- · 2019-01-26 01:27

Scope is the boundary of where you can access a variable (or property or method). Your code isn't an example of scope, it's syntax parsing. Within double quotes, php will recognize and try to evaluate variables. Because $b[..] is how you refer to an array element, php will try to parse it as such.

Curly braces are used for multiple things. In the context of your code, they delimit the beginning and end if your if(...) condition, as in

if (condition)
  {
    // do all
    // of this stuff
    // between the { and }
    // if the condition
    // is true
  }

This has nothing to do with scope, unless you wanna look at it in the sense of "this is where the code to be executed if the condition is true starts and ends" but as mentioned, that's not what "scope" really means.

You can also use {..} to tell php where to start and end the variable name, to avoid ambiguity. For example:

In this example, php will try to parse the variable as $abar because that is a valid variable name:

$a = "foo";
$b = "$abar"
echo $b; // output : nothing - $abar doesn't exist (will give you a notice)

Since you want it to parse $a not $abar, you would use {..} to specify the beginning and end of the variable name:

$a = "foo";
$b = "${a}bar"
echo $b; // output : foobar
查看更多
登录 后发表回答