最近在讀《php核心技術與最佳實踐》這本書,書中第一章提到用__call()方法可以實現一個簡單的字符串鍊式操作,比如,下面這個過濾字符串然後再求長度的操作,一般要這麼寫:
strlen(trim($str));
那麼能否實現下面這種寫法呢?
$str->trim()->strlen();
下面就來試試。
鍊式操作,說白了其實就是鍊式的呼叫物件的方法。既然要實作字串的鍊式操作,那麼就要實作一個字串類,然後再對這個類的物件進行呼叫操作。我對字串類別的期望如下:(1)當我建立物件時,我可以將字串賦值給物件的屬性,並且可以存取這個屬性讀取值;(2)我可以呼叫trim() 和strlen( )方法;(3)我還可以這麼呼叫方法$str->trim()->strlen()。
上面的第(1)條,是一個字串類別的基本要求。先實現了這個:
class String { public $value; public function __construct($str=null) { $this->value = $str; } }
可以試試:
1 $str = new String('01389');
2 echo $str->value;
class String { public $value; public function __construct($str=null) { $this->value = $str; } public function __call($name, $args) { $this->value = call_user_func($name, $this->value, $args[0]); return $this; } }測試下: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()實作如下:
class String { public $value; public function __construct($str=null) { $this->value = $str; } public function __call($name, $args) { $this->value = call_user_func($name, $this->value, $args[0]); return $this; } public function strlen() { return strlen($this->value); } }
測試下:
1 $str = new String('01389');
2 echo $str->strlen();
鍊式操作:
echo $str->trim('0')->strlen();
echo $str->trim('0')->strlen();
結果:
class String { public $value; public function __construct($str=null) { $this->value = $str; } public function trim($t) { $this->value = trim($this->value, $t); return $this; } public function strlen() { return strlen($this->value); } }鍊式作業的關鍵是完成作業後要完成的關鍵 $ this。
另外,本文受到園子裡這篇文章的啟發,用call_user_func_array()替換了call_user_func()實現,將__call()方法修改如下。
public function __call($name, $args) { array_unshift($args, $this->value); $this->value = call_user_func_array($name, $args); return $this; }
與上面的__call()方法效果是相同的,這樣程式碼似乎比之前的實作更優雅。
總結:
__call()在物件呼叫一個不可存取的方法時會被觸發,所以可以實現類別的動態方法的創建,實現php的方法重載功能,但它其實是一個語法糖(__construct( )方法也是)。
那麼如果沒有__call()等語法糖,能否實現動態方法的創建和鍊式操作呢?我想會涉及到以下幾個方面的問題:類別方法是否存在和可以調用,這個可以用method_exists、is_callable、get_class_methods等方法來實現,另外,就是在創建對象時給屬性賦值(初始化),這個語法糖確實方便,不過不是必要的。等有時間再研究下吧。