PHP变量引用和内存使用情况

Str*_*rae 11 php variables memory-management reference

根据php手册:

<?php
$a =& $b;
?>
// Note:
// $a and $b are completely equal here. $a is not pointing to $b or vice versa.
// $a and $b are pointing to the same place. 
Run Code Online (Sandbox Code Playgroud)

我认为:

<?php
$x = "something";
$y = $x;
$z = $x;
Run Code Online (Sandbox Code Playgroud)

应该消耗更多的内存:

<?php
$x = "something";
$y =& $x;
$z =& $x;
Run Code Online (Sandbox Code Playgroud)

因为,如果我理解是正确的,在我们的第一种情况下"复制"的值something,并把它分配给$y$z具有在端部3级的变量和3页的内容,而在第二种情况下,我们有3个变量pointing相同的内容.

所以,使用如下代码:

$value = "put something here, like a long lorem ipsum";
for($i = 0; $i < 100000; $i++)
{
    ${"a$i"} =& $value;
}
echo memory_get_usage(true);
Run Code Online (Sandbox Code Playgroud)

我希望内存使用率低于:

$value = "put something here, like a long lorem ipsum";
for($i = 0; $i < 100000; $i++)
{
    ${"a$i"} = $value;
}
echo memory_get_usage(true);
Run Code Online (Sandbox Code Playgroud)

但两种情况下的内存使用情况都是相同的.

我错过了什么?