但是我們知道,面向對象有三大特征:繼承,多態和封裝。
1. 繼承
我們繼續上一節中的例子,在PHP中,繼承和Java是一樣的,都使用extends關鍵字。
復制代碼 代碼如下:
class People
{
private $name;
public function GetName()
{
return $this->name;
}
public function SetName($name)
{
$this->name=$name;
}
}
class Student extends People
{
private $grade;
public function SayHello()
{
echo("Good Morning,".parent::GetName());
}
}
在這裡,我們需要主要的還有我們訪問父類在C# 中用base,在Java中用super,但是在PHP中,我們用parent關鍵字。
如果我們要訪問自身的方法,那麼可以用this,也可以用self。
復制代碼 代碼如下:
class Student extends People
{
public function GetName()
{
return "kym";
}
private $grade;
public function SayHello()
{
echo("Good Morning,".self::GetName());
//echo("Good Morning,".$this->GetName());
}
}
2. 抽象類
提到繼承,就不得不說抽象類。
復制代碼 代碼如下:
<?php
abstract class People
{
private $name;
public function GetName()
{
return $this->name;
}
public function SetName($name)
{
$this->name=$name;
}
abstract function SayHello();
}
class Student extends People
{
public function SayHello()
{
echo("Good Morning,".parent::GetName());
}
}
$s=new Student();
$s->SetName("kym");
$s->SayHello();
?>
3. 接口
接下來就是接口:
復制代碼 代碼如下:
<?php
abstract class People
{
private $name;
public function GetName()
{
return $this->name;
}
public function SetName($name)
{
$this->name=$name;
}
abstract function SayHello();
}
interface IRun
{
function Run();
}
class Student extends People implements IRun
{
public function SayHello()
{
echo("Good Morning,".parent::GetName());
}
public function Run()
{
echo("兩條腿跑");
}
}
$s=new Student();
$s->SetName("kym");
$s->SayHello();
$s->Run();
?>
都沒什麼好說的,跟Java一模一樣。
4. 構造方法
一直忘了說構造方法,其實也就是一段同樣的代碼:
復制代碼 代碼如下:
<?php
class Person
{
private $name;
private $age;
public function Person($name,$age)
{
$this->name=$name;
$this->age=$age;
}
public function SayHello()
{
echo("Hello,My name is ".$this->name.".I'm ".$this->age);
}
}
$p=new Person("kym",22);
$p->SayHello();
?>
我們在面試中也許經常會遇到一種變態的題型,就是若干個類之間的關系,然後構造函數呀什麼的調來調去。但是,在PHP中就不會遇到這樣的情況了,因為在PHP中並不支持構造函數鏈,也就是說,在你初始化子類的時候,他不會自動去調用父類的構造方法。
復制代碼 代碼如下:
<?php
class Person
{
private $name;
private $age;
public function Person($name,$age)
{
$this->name=$name;
$this->age=$age;
}
public function SayHello()
{
echo("Hello,My name is ".$this->name.".I'm ".$this->age);
}
}
class Student extends Person
{
private $score;
public function Student($name,$age,$score)
{
$this->Person($name,$age);
$this->score=$score;
}
public function Introduce()
{
parent::SayHello();
echo(".In this exam,I got ".$this->score);
}
}
$s=new Student("kym",22,120);
$s->Introduce();
?>
5. 析構函數
析構函數和C#和C++中不同,在PHP中,析構函數的名稱是__destructor()。
復制代碼 代碼如下:
class Student extends Person
{
private $score;
public function Student($name,$age,$score)
{
$this->Person($name,$age);
$this->score=$score;
}
public function Introduce()
{
parent::SayHello();
echo(".In this exam,I got ".$this->score);
}
function __destruct()
{
echo("我要被卸載了");
}
}
6. 多態
由於默認參數的存在,以及PHP的弱類型,使得編譯時多態(也就是由於參數個數以及類型不同而造成的多態)無法實現,但是運行時多態在上文中已有提及。不再贅述。