本文实例讲述了PHP对象链式操作实现原理。分享给大家供大家参考,具体如下:
什么是链式操作呢?使用jQuery的同学印象应该会很深刻.在jQuery中,我们经常会这样的来操作DOM元素:
1
|
$( "p" ).css( "color" ).addClass( "selected" ); |
连贯操作看起来的确很酷,也非常的方便代码的阅读.那么在PHP里面是否可以实现呢?答案是肯定的,当然了必须是在OOP中用才行,在过程化的程序中,就没有必要用这种方法了。
在PHP中,我们经常要使用很多函数:
1
2
|
$str = 'abs123 ' ; echo strlen (trim( $str )); |
上面代码的作用就是去除字符串两边的空格,然后输出其长度,那么使用链式编程就可以这样来:
1
2
|
$str = 'abs123 ' ; echo $str ->trim()-> strlen (); |
是不是看着更加的舒服呢?这里主要是利用了PHP面向对象里面的 __call() 和 __toString() 魔术方法
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
|
/** * 对象链式操作 * 2015-04-24 */ class BaseChainObject{ /** * 追溯数据,用来进行调试 * @var array */ private $_trace_data = array (); /** * 保存可用方法列表 * @param array */ protected $_methods = array (); /** * 处理的数据 * @param null */ public $data ; function __construct( $data ){ $this ->data = $data ; $this ->_trace_data[ '__construct' ] = $data ; return $this ->data; } function __toString(){ return (String) $this ->data; } function __call( $name , $args ){ try { $this ->vaild_func( $name ); } catch (Exception $e ){ echo $e ->getMessage(); exit (); } if (! $args ) { $args = $this ->data; $this ->data = call_user_func( $name , $args ); } else { $this ->data = call_user_func_array( $name , $args ); } $this ->_trace_data[ $name ] = $this ->data; return $this ; } /** * 判断方法是否存在 * @param string */ private function vaild_func( $fn ){ if (!in_array( $fn , $this ->_methods)){ throw new Exception( "unvaild method" ); } } public function trace(){ var_dump( $this ->_trace_data); } } class String extends BaseChainObject{ protected $_methods = array ( 'trim' , 'strlen' ); } $str = new String( 'ab rewqc ' ); echo $str ->trim()-> strlen (); $str ->trace(); |
从以上代码可以看出,当调用对象中不存在的方法时,会自动触发__call()魔术方法,然后结合call_user_func()来执行链式操作,当输出对象的时候触发toString()来输出想要的结果.当然还有一个方案就是在自定义的方法中使用return this,也可以实现对象链式的操作,大家可以自己去试试看.
希望本文所述对大家PHP程序设计有所帮助。