1. 程式人生 > >PHP實現鏈式操作的三種方法詳解

PHP實現鏈式操作的三種方法詳解

ret 思想 ont 過濾字符 一個 詳解 rgs 通過 span

這篇文章主要介紹了PHP實現鏈式操作的三種方法,結合實例形式分析了php鏈式操作的相關實現技巧與使用註意事項,需要的朋友可以參考下

本文實例講述了PHP實現鏈式操作的三種方法。分享給大家供大家參考,具體如下:

在php中有很多字符串函數,例如要先過濾字符串收尾的空格,再求出其長度,一般的寫法是:

strlen(trim($str))

如果要實現類似js中的鏈式操作,比如像下面這樣應該怎麽寫?

$str->trim()->strlen()

下面分別用三種方式來實現:

方法一、使用魔法函數__call結合call_user_func來實現

思想:首先定義一個字符串類StringHelper,構造函數直接賦值value,然後鏈式調用trim()和strlen()函數,通過在調用的魔法函數__call()中使用call_user_func來處理調用關系,實現如下:

<?php
class StringHelper 
{
  private $value;
  function __construct($value)
  {
    $this->value = $value;
  }
  function __call($function, $args){
    $this->value = call_user_func($function, $this->value, $args[0]);
    return $this;
  }
  function strlen() {
    return strlen($this
->value); } } $str = new StringHelper(" sd f 0"); echo $str->trim(‘0‘)->strlen();

終端執行腳本:

php test.php 
8

方法二、使用魔法函數__call結合call_user_func_array來實現

<?php
class StringHelper 
{
  private $value;
  function __construct($value)
  {
    $this->value = $value;
  }
  function __call($function
, $args){ array_unshift($args, $this->value); $this->value = call_user_func_array($function, $args); return $this; } function strlen() { return strlen($this->value); } } $str = new StringHelper(" sd f 0"); echo $str->trim(‘0‘)->strlen();

說明:

array_unshift(array,value1,value2,value3...)

array_unshift() 函數用於向數組插入新元素。新數組的值將被插入到數組的開頭。

call_user_func()call_user_func_array都是動態調用函數的方法,區別在於參數的傳遞方式不同。

方法三、不使用魔法函數__call來實現

只需要修改_call()trim()函數即可:

public function trim($t)
{
  $this->value = trim($this->value, $t);
  return $this;
}

重點在於,返回$this指針,方便調用後者函數。

PHP實現鏈式操作的三種方法詳解