Sepertinya tidak ada yang menyebutkan sejauh ini, bahwa variabel statis di dalam instance berbeda dari kelas yang sama tetap statusnya. Jadi berhati-hatilah saat menulis kode OOP.
Pertimbangkan ini:
class Foo
{
public function call()
{
static $test = 0;
$test++;
echo $test . PHP_EOL;
}
}
$a = new Foo();
$a->call(); // 1
$a->call(); // 2
$a->call(); // 3
$b = new Foo();
$b->call(); // 4
$b->call(); // 5
Jika Anda ingin variabel statis mengingat statusnya hanya untuk instance kelas saat ini, Anda sebaiknya tetap menggunakan properti kelas, seperti ini:
class Bar
{
private $test = 0;
public function call()
{
$this->test++;
echo $this->test . PHP_EOL;
}
}
$a = new Bar();
$a->call(); // 1
$a->call(); // 2
$a->call(); // 3
$b = new Bar();
$b->call(); // 1
$b->call(); // 2