Jaimin
Jaimin

Reputation: 811

php variable variables problem

$_POST['asdf'] = 'something';

function test() {
    // NULL -- not what initially expected
    $string = '_POST';
    echo '====';
    var_dump(${$string});
    echo '====';

    // Works as expected
    echo '++++++';
    var_dump(${'_POST'});
    echo '++++++';

    // Works as expected
    global ${$string};
    var_dump(${$string});

}

// Works as expected
$string = '_POST';
var_dump(${$string});

test();

I am not getting why such behaviour.. can anybody explain.. i need to know why such behaviours. i am actually not getting the code..

Upvotes: 4

Views: 713

Answers (2)

mario
mario

Reputation: 145512

PHP does not have real global variables. The "superglobals" are also a misnomer. $_POST and $_GET are never present in the local variable hash tables. They exist as aliases, which PHP only sees for ordinary accesses. The variable variable access method only ever looks into the current local hash table.

global $$string;
  //   $$string = & $GLOBALS[$string];

Is a nifty trick to create a reference to the superglobals in the local hash table. This is why after that statement, you are able to use variable variables to access the "superglobals".

Upvotes: 4

Shakti Singh
Shakti Singh

Reputation: 86476

Look at here

Please note that variable variables cannot be used with PHP's Superglobal arrays within functions or class methods. The variable $this is also a special variable that cannot be referenced dynamically.

Upvotes: 10

Related Questions