PHP Diğer dillerde bir derleme hatası üretecektir polimorfik kod sağlar. Basit bunu göstermektedir. Beklenen bir derleme hatası üretir İlk C + + kodu:
class Base {};
class CommonDerivedBase {
public:
// The "= 0" makes the method and class abstract
// virtual means polymorphic method
virtual whoami() = 0;
};
class DerivedBase : public CommonDerivedBase {
public:
void whoami() { cout << "I am DerivedBase \n"; }
};
class Derived1 : public CommonDerivedBase {
public:
void whoami() { cout << "I am Derived1\n"; }
};
class Derived2 : public CommonDerivedBase {
public:
void whoami() { cout << "I am Derived2\n"; }
};
/* This will not compile */
void test_error(Base& db)
{
db.whoami();
}
C + + derleyicisi hattı için bu hata mesajını verecek db.whoami()
error: no member named 'whoami' in 'Base'
Temel yöntem olarak adlandırılır whoami yoktur (çünkü). Ancak, benzer PHP kodu çalıştırma kadar gibi hataları bulmak değil.
class Base {}
abstract class DerivedCommonBase {
abstract function whoami();
}
class Derived1 extends DerivedCommonBase {
public function whoami() { echo "I am Derived1\n"; }
}
class Derived2 extends DerivedCommonBase {
public function whoami() { echo "I am Derived2\n"; }
}
/* In PHP, test(Base $b) does not give a runtime error, as long as the object
* passed at run time derives from Base and implements whoami().
*/
function test(Base $b)
{
$b->whoami();
}
$b = new Base();
$d1 = new Derived1();
$d2 = new Derived2();
$a = array();
$a[] = $d1;
$a[] = $d2;
foreach($a as $x) {
echo test($x);
}
test($d1);
test($d2);
test($b); //<-- A run time error will result.
Foreach döngü çıkışı ile çalışır
I am Derived1
I am Derived2
Eğer test ($ b) arayın ve Base bir örneğini geçemiyor kadar senin bir çalışma zamanı hatası alırsınız. Yani foreach, çıkış olacak sonra
I am Derived1
I am Derived2
PHP Fatal error: Call to undefined method Base::whoami() in
home/kurt/public_html/spl/observer/test.php on line 22
About the only thing you can do to make the PHP safer would be to add a run time check
to test if $b is an instance of the class you intended.
function test(Base $b)
{
if ($b instanceof DerivedCommonBase) {
$b->whoami();
}
}
Ama polimorfizminin bütün mesele bu tür çalışma süresi kontrolleri ortadan kaldırmaktır.