This question is related to: PHP magic methods example
I've asked this question in comment in accepted answer but I guess, it has not been noticed so I have to create this question.
<?php
class Magic {
public $a = "A";
protected $b = array(
"a"=>"A",
"b"=>"B",
"c"=>"C"
);
protected $c = array(1,2,3);
public function __get($v) {
echo "$v,";
return $this->b[$v];
}
public function __set($var, $val) {
echo "$var: $val,";
$this->$var = $val;
}
}
$m = new Magic();
echo $m->a.",".$m->b.",".$m->c.",";
$m->c = "CC";
echo $m->a.",".$m->b.",".$m->c;
?>
Output:
b,c,A,B,C,c: CC,b,c,A,B,C
$m->c = "CC";
Here we already have protected variable with same name.
So, how should this should behave in context of visibility?
If it overwrites value of protected variable c
, then isn't it a loop hole for protected/private variables? (I guess that would not be the case)
If not then, the statement: $this->$var = $val;
seems to create public variable with same name already defined as protected.
Is that possible?
Also, after this statement: $m->c = "CC";
, when we access $m->c
again, PHP calls __get
again as if c
has no public visibility.
Does that mean $this->$var = $val;
has no life time for immediate next statement? (I guess that would also not be the case)
Can anybody please explain, it should behaves in such cases and how it gave such output?