重載php
屬性重載與方法重載web
PHP所提供的"重載"(overloading)是指動態地"建立"類屬性和方法。咱們是經過魔術方法(magic methods)來實現的。數組
當調用當前環境下未定義或不可見的類屬性或方法時,重載方法會被調用。oop
全部的重載方法都必須被聲明爲 public。this
public void __set ( string $name
, mixed $value
)spa
public mixed __get ( string $name
).net
public bool __isset ( string $name
)code
public void __unset ( string $name
)orm
在給不可訪問屬性賦值時,__set() 會被調用。對象
讀取不可訪問屬性的值時,__get() 會被調用。
當對不可訪問屬性調用 isset() 或 empty() 時,__isset() 會被調用。
當對不可訪問屬性調用 unset() 時,__unset() 會被調用。
參數 $name 是指要操做的變量名稱。__set() 方法的 $value 參數指定了 $name 變量的值。
屬性重載只能在對象中進行。在靜態方法中,這些魔術方法將不會被調用。因此這些方法都不能被 聲明爲 static。從 PHP 5.3.0 起, 將這些魔術方法定義爲 static 會產生一個警告。
示例:
class a{ public function __set($name,$value){ //$this->data[$name]=$value; $this->$name=$value; } public function __get($name){ return $this->$name; } public function __isset($name){ return isset($this->$name); } public function __unset($name){ unset($this->$name); } } $obj_a=new a(); $obj_a->first='first'; echo $obj_a->first."<br>"; echo isset($obj_a->second)?'second exist<br>':'second not exist<br>'; echo isset($obj_a->first)?'first exist<br>':'first not exist<br>'; echo empty($obj_a->first)?'first exist<br>':'first not exist<br>'; unset($obj_a->first); echo isset($obj_a->first)?'first exist<br>':'first not exist<br>';
結果:
first
second not exist
first exist
first not exist
first not exist
public mixed __call ( string $name
, array $arguments
)
public static mixed __callStatic ( string $name
, array $arguments
)
在對象中調用一個不可訪問方法時,__call() 會被調用。
用靜態方式中調用一個不可訪問方法時,__callStatic() 會被調用。
$name 參數是要調用的方法名稱。$arguments 參數是一個枚舉數組,包含着要傳遞給方法 $name 的參數。
示例:
echo "<pre>"; class a { public function __call($name,$arguments){ if($name=='mycall'){ print_r($arguments); call_user_func('mycall',$arguments[0],$arguments[1]); }else{ echo "call uknow function"; } } } function mycall($a1,$a2){ echo "this is mycall<br>"; print_r($a1); print_r($a2); echo "end of mycall<br>"; } $obj_a=new a(); $obj_a->mycall(['a'=>'aaa'],['a2'=>'a2']); $obj_a->notcall();
結果:
Array ( [0] => Array ( [a] => aaa ) [1] => Array ( [a2] => a2 ) ) this is mycall Array ( [a] => aaa ) Array ( [a2] => a2 ) end of mycall call uknow function
示例:
echo "<pre>"; class a { public static function __callStatic($name,$arguments){ if($name=='mycall'){ print_r($arguments); call_user_func('mycall',$arguments[0],$arguments[1]); }else{ echo "call uknow function"; } } } function mycall($a1,$a2){ echo "this is mycall<br>"; print_r($a1); print_r($a2); echo "end of mycall<br>"; } $obj_a=new a(); $obj_a::mycall(['a'=>'aaa'],['a2'=>'a2']); $obj_a::notcall();
結果:
Array ( [0] => Array ( [a] => aaa ) [1] => Array ( [a2] => a2 ) ) this is mycall Array ( [a] => aaa ) Array ( [a2] => a2 ) end of mycall call uknow function