How does the '&' symbol in PHP affect the outcome?

后端 未结 3 424
无人共我
无人共我 2021-01-03 08:32

I\'ve written and played around with alot of PHP function and variables where the original author has written the original code and I\'ve had to continue on developing the p

相关标签:
3条回答
  • 2021-01-03 09:00

    It is a reference. It allows 2 variable names to point to the same content.

    0 讨论(0)
  • 2021-01-03 09:08

    These are known as references.

    Here is an example of some "regular" PHP code:

    function alterMe($var) {
        $var = 'hello';
    }
    
    $test = 'hi';
    alterMe($test);
    print $test; // prints hi
    
    $a = 'hi';
    $b = $a;
    $a = 'hello';
    print $b; // prints hi
    

    And this is what you can achieve using references:

    function alterMe(&$var) {
        $var = 'hello';
    }
    
    $test = 'hi';
    alterMe($test);
    print $test; // prints hello
    
    $a = 'hi';
    $b &= $a;
    $a = 'hello';
    print $b; // prints hello
    

    The nitty gritty details are in the documentation. Essentially, however:

    References in PHP are a means to access the same variable content by different names. They are not like C pointers; instead, they are symbol table aliases. Note that in PHP, variable name and variable content are different, so the same content can have different names. The closest analogy is with Unix filenames and files - variable names are directory entries, while variable content is the file itself. References can be likened to hardlinking in Unix filesystem.

    0 讨论(0)
  • 2021-01-03 09:14
    <?php
    
    $a = "hello";   # $a points to a slot in memory that stores "hello"
    $b = $a;        # $b holds what $a holds
    
    $a = "world";
    echo $b;        # prints "hello"
    

    Now if we add &

    $a = "hello";   # $a points to a slot in memory that stores "hello"
    $b = &$a;   # $b points to the same address in memory as $a
    
    $a = "world";
    
    # prints "world" because it points to the same address in memory as $a.
    # Basically it's 2 different variables pointing to the same address in memory
    echo $b;        
    ?>
    
    0 讨论(0)
提交回复
热议问题