php中闭包函数的用法实例

闭包函数是在PHP5.3版本才引入的了,闭包函数也就是匿名函数函数了,这个与js中的匿名函数很像了,下面我们来看看php匿名函数吧.

php闭包函数比如你现在就可以这样使用:

$closure = function($param) { echo $param; };

感觉和js是不是一样的用法了,一些闭包函数实例,代码如下:

  1. function test(){
  2. $test='';
  3. $test=function ($str){
  4. echo 'test';
  5. return $str;
  6. };
  7. timeout('Y-m-d H:i:s',function ($time){
  8. //$this->date=time();
  9. return $time-24*60*60;
  10. });
  11. var_dump($test(‘hello word!’));
  12. }
  13. function timeout($format,$time){
  14. echo date($format,$time(time()));
  15. }
  16. test();

上例输出:2013-11-19 16:24:56teststring(11) “hello word!”

这样子参数便可以用函数了,条件是,php3.0以后php 4.0以后闭包函数支持$this用法,闭包函数通常被用在preg_match等有callback的函数,代码如下:

  1. <?php
  2. class A {
  3. private static $sfoo = 1;
  4. private $ifoo = 2;
  5. }
  6. $cl1 = static function() {
  7. return A::$sfoo;
  8. };
  9. $cl2 = function() {
  10. return $this->ifoo;
  11. };
  12. $bcl1 = Closure::bind($cl1, null, ‘A’);
  13. $bcl2 = Closure::bind($cl2, new A(), ‘A’);
  14. echo $bcl1(), “n”;
  15. echo $bcl2(), “n”;
  16. ?>
  17. //输出
  18. 1
  19. 2

bind将类可以在闭包函数中使用,代码如下:

  1. <?php
  2. class A1 {
  3. function __construct($val) {
  4. $this->val = $val;
  5. }
  6. function getClosure() {
  7. //returns closure bound to this object and scope
  8. return function() { return $this->val; };
  9. }//开源代码phpfensi.com
  10. }
  11. $ob1 = new A1(1);
  12. $ob2 = new A1(2);
  13. $cl = $ob1->getClosure();
  14. echo $cl(), “n”;
  15. $cl = $cl->bindTo($ob2);
  16. echo $cl(), “n”;
  17. ?>
  18. //以上例程的输出类似于:
  19. 1
  20. 2

bindto在类里可以再次绑定类,代码如下:

  1. $fn = function(){
  2. return ++$this->foo; // increase the value
  3. };
  4. class Bar{
  5. private $foo = 1; // initial value
  6. }
  7. $bar = new Bar();
  8. $fn1 = $fn->bindTo($bar, ‘Bar’); // specify class name
  9. $fn2 = $fn->bindTo($bar, $bar); // or object
  10. $fn3 = $fn2->bindTo($bar); // or object
  11. echo $fn1(); // 2
  12. echo $fn2(); // 3
  13. echo $fn3(); // 4

在类之外需要绑定类才能用,绑定可以是类名,也可以是对象,绑定过之后可以再次绑定不需要提拱类名或对象.