最近在讀《php核心技術與最佳實踐》這本書,書中第一章提到用__call()方法可以實現一個簡單的字符串鏈式操作,比如,下面這個過濾字符串然後再求長度的操作,一般要這麼寫:
strlen(trim($str));
那麼能否實現下面這種寫法呢?
$str->trim()->strlen();
下面就來試下。
鏈式操作,說白了其實就是鏈式的調用對象的方法。既然要實現字符串的鏈式操作,那麼就要實現一個字符串類,然後對這個類的對象進行調用操作。我對字符串類的期望如下:(1)當我創建對象時,我可以將字符串賦值給對象的屬性,並且可以訪問這個屬性讀取值;(2)我可以調用trim() 和strlen()方法;(3)我還可以這麼調用方法$str->trim()->strlen()。
上面的第(1)條,是一個字符串類的基本要求。先把這個實現了:
1 class String 2 { 3 public $value; 4 5 public function __construct($str=null) 6 { 7 $this->value = $str; 8 } 9 }
可以試下:
1 $str = new String('01389'); 2 echo $str->value;
然後再看第2條,先把$str->trim()實現了,參考書中的思路:觸發__call方法然後執行call_user_func。代碼如下:
1 class String 2 { 3 public $value; 4 5 public function __construct($str=null) 6 { 7 $this->value = $str; 8 } 9 10 public function __call($name, $args) 11 { 12 $this->value = call_user_func($name, $this->value, $args[0]); 13 return $this; 14 } 15 }
測試下:
1 $str = new String('01389'); 2 echo $str->trim('0')->value;
結果如下:
上面需要注意的是第12行: $this->value = call_user_func($name, $this->value, $args[0]); $name是回調函數的名字(這裡也就是trim),後面兩個是回調函數(tirm)的參數,參數的順序不要弄顛倒了。$args是數組,也需要注意下。
第2條中還要實現strlen(),這時上面代碼中的第13行就很關鍵了: return $this; 它的作用就是,在第12行調用trim()處理完字符串後重新value屬性賦值,然後返回當前對象的引用,這樣對象內的其他方法就可以對屬性value進行連續操作了,也就實現了鏈式操作。$str->strlen()實現如下:
1 class String 2 { 3 public $value; 4 5 public function __construct($str=null) 6 { 7 $this->value = $str; 8 } 9 10 public function __call($name, $args) 11 { 12 $this->value = call_user_func($name, $this->value, $args[0]); 13 return $this; 14 } 15 16 public function strlen() 17 { 18 return strlen($this->value); 19 } 20 }
測試下:
1 $str = new String('01389'); 2 echo $str->strlen();
結果:
鏈式操作:
echo $str->trim('0')->strlen();
結果:
到這裡,這篇文章本該就結束了。但是,我想了下,其實不用__call()方法,也是可以實現鏈式操作的。下面是不用__call()的實現:
1 class String 2 { 3 public $value; 4 5 public function __construct($str=null) 6 { 7 $this->value = $str; 8 } 9 10 public function trim($t) 11 { 12 $this->value = trim($this->value, $t); 13 return $this; 14 } 15 16 public function strlen() 17 { 18 return strlen($this->value); 19 } 20 }
鏈式操作的關鍵是在做完操作後要return $this。
另外,本文受到園子裡這篇文章的啟發,用call_user_func_array()替換了call_user_func()實現,將__call()方法修改如下。
1 public function __call($name, $args) 2 { 3 array_unshift($args, $this->value); 4 $this->value = call_user_func_array($name, $args); 5 return $this; 6 }
與上面的__call()方法效果是相同的,這樣代碼似乎比之前的實現要優雅些。
總結:
__call()在對象調用一個不可訪問的方法時會被觸發,所以可以實現類的動態方法的創建,實現php的方法重載功能,但它其實是一個語法糖(__construct()方法也是)。
那麼如果沒有__call()等語法糖,能否實現動態方法的創建和鏈式操作呢?我想會涉及到以下幾個方面的問題:類方法是否存在和可以調用,這個可以用method_exists、is_callable、get_class_methods等方法來實現,另外,就是在創建對象時給屬性賦值(初始化),這個語法糖確實方便,不過不是必需的。等有時間再研究下吧。