手机浏览 RSS 2.0 订阅 膘叔的简单人生 , 腾讯云RDS购买 | 超便宜的Vultr , 注册 | 登陆
浏览模式: 标准 | 列表分类:PHP

随便写写

PHP代码
  1. <?php  
  2.   
  3. Class Aspire      
  4. {  
  5.     private $outPut = '';  
  6.     static public function cin ( $str ){  
  7.         ifstrToLower$str ) == 'sweat'){  
  8.             self::$outPut = 'Gains';  
  9.         }else{  
  10.             self::$outPut = 'Without Something';  
  11.         }  
  12.     }  
  13.   
  14.     static public function cout (){  
  15.         echo( self::$outPut );  
  16.         self::$outPut = NULL;  
  17.     }  
  18. }  
  19. Aspire::cin('sweat');  
  20. Aspire::cout();  
  21. Aspire::cin('laugh');  
  22. Aspire::cout();  
  23. ?>  

Tags: php, class

PHP5的 SPL [转摘]

很少看到介绍SPL的文章,难得看到一篇,转摘,记录一下,原文地址:http://www.phpobject.net/blog/read.php/140.htm

PHP SPL笔记
目录
第一部分 简介
1. 什么是SPL?
2. 什么是Iterator?
第二部分 SPL Interfaces
3. Iterator界面
4. ArrayAccess界面
5. IteratorAggregate界面
6. RecursiveIterator界面
7. SeekableIterator界面
8. Countable界面
第三部分 SPL Classes
9. SPL的内置类
10. DirectoryIterator类
11. ArrayObject类
12. ArrayIterator类
13. RecursiveArrayIterator类和RecursiveIteratorIterator类
14. FilterIterator类
15. SimpleXMLIterator类
16. CachingIterator类
17. LimitIterator类
18. SplFileObject类
第一部 简介
1. 什么是SPL?
SPL是Standard PHP Library(PHP标准库)的缩写。
根据官方定义,它是“a collection of interfaces and classes that are meant to solve standard problems”。但是,目前在使用中,SPL更多地被看作是一种使object(物体)模仿array(数组)行为的interfaces和 classes。
2. 什么是Iterator?
SPL的核心概念就是Iterator。这指的是一种Design Pattern,根据《Design Patterns》一书的定义,Iterator的作用是“provide an object which traverses some aggregate structure, abstracting away assumptions about the implementation of that structure.”
wikipedia中说,"an iterator is an object which allows a programmer to traverse through all the elements of a collection, regardless of its specific implementation".……"the iterator pattern is a design pattern in which iterators are used to access the elements of an aggregate object sequentially without exposing its underlying representation".
通俗地说,Iterator能够使许多不同的数据结构,都能有统一的操作界面,比如一个数据库的结果集、同一个目录中的文件集、或者一个文本中每一行构成的集合。
如果按照普通情况,遍历一个MySQL的结果集,程序需要这样写:

PHP代码
  1. // Fetch the "aggregate structure"  
  2. $result = mysql_query("SELECT * FROM users");  
  3. // Iterate over the structure  
  4. while ( $row = mysql_fetch_array($result) ) {  
  5.    // do stuff with the row here  
  6. }  


读出一个目录中的内容,需要这样写:

PHP代码
  1. // Fetch the "aggregate structure"  
  2. $dh = opendir('/home/harryf/files');  
  3. // Iterate over the structure  
  4. while ( $file = readdir($dh) ) {  
  5.    // do stuff with the file here  
  6. }  



读出一个文本文件的内容,需要这样写:

PHP代码
  1. // Fetch the "aggregate structure"  
  2. $fh = fopen("/home/hfuecks/files/results.txt""r");  
  3. // Iterate over the structure  
  4. while (!feof($fh)) {  
  5.    $line = fgets($fh);  
  6.    // do stuff with the line here  
  7. }  


上面三段代码,虽然处理的是不同的resource(资源),但是功能都是遍历结果集(loop over contents),因此Iterator的基本思想,就是将这三种不同的操作统一起来,用同样的命令界面,处理不同的资源。
第二部分 SPL Interfaces
3. Iterator界面
SPL规定,所有部署了Iterator界面的class,都可以用在foreach Loop中。Iterator界面中包含5个必须部署的方法:
        * current()
          This method returns the current index’s value. You are solely
          responsible for tracking what the current index is as the
         interface does not do this for you.
        * key()
          This method returns the value of the current index’s key. For
          foreach loops this is extremely important so that the key
          value can be populated.
        * next()
          This method moves the internal index forward one entry.
        * rewind()
          This method should reset the internal index to the first element.
        * valid()
          This method should return true or false if there is a current
          element. It is called after rewind() or next().

下面就是一个部署了Iterator界面的class示例:

PHP代码
  1. /** 
  2. * An iterator for native PHP arrays, re-inventing the wheel 
  3. * 
  4. * Notice the "implements Iterator" - important! 
  5. */  
  6. class ArrayReloaded implements Iterator {  
  7.    /** 
  8.    * A native PHP array to iterate over 
  9.    */  
  10.  private $array = array();  
  11.    /** 
  12.    * A switch to keep track of the end of the array 
  13.    */  
  14.  private $valid = FALSE;  
  15.    /** 
  16.    * Constructor 
  17.    * @param array native PHP array to iterate over 
  18.    */  
  19.  function __construct($array) {  
  20.    $this->array = $array;  
  21.  }  
  22.    /** 
  23.    * Return the array "pointer" to the first element 
  24.    * PHP's reset() returns false if the array has no elements 
  25.    */  
  26.  function rewind(){  
  27.    $this->valid = (FALSE !== reset($this->array));  
  28.  }  
  29.    /** 
  30.    * Return the current array element 
  31.    */  
  32.  function current(){  
  33.    return current($this->array);  
  34.  }  
  35.    /** 
  36.    * Return the key of the current array element 
  37.    */  
  38.  function key(){  
  39.    return key($this->array);  
  40.  }  
  41.    /** 
  42.    * Move forward by one 
  43.    * PHP's next() returns false if there are no more elements 
  44.    */  
  45.  function next(){  
  46.    $this->valid = (FALSE !== next($this->array));  
  47.  }  
  48.    /** 
  49.    * Is the current element valid? 
  50.    */  
  51.  function valid(){  
  52.    return $this->valid;  
  53.  }  
  54. }  

使用方法如下:

PHP代码
  1. // Create iterator object  
  2. $colors = new ArrayReloaded(array ('red','green','blue',));  
  3. // Iterate away!  
  4. foreach ( $colors as $color ) {  
  5.  echo $color."\n";  
  6. }  

你也可以在foreach循环中使用key()方法:

PHP代码
  1. // Display the keys as well  
  2. foreach ( $colors as $key => $color ) {  
  3.  echo "$key: $color";  
  4. }  

除了foreach循环外,也可以使用while循环,

PHP代码
  1. // Reset the iterator - foreach does this automatically  
  2. $colors->rewind();  
  3. // Loop while valid  
  4. while ( $colors->valid() ) {  
  5.    echo $colors->key().": ".$colors->current()." 
  6. ";  
  7.    $colors->next();  
  8. }  

根据测试,while循环要稍快于foreach循环,因为运行时少了一层中间调用。
4. ArrayAccess界面
部署ArrayAccess界面,可以使得object像array那样操作。ArrayAccess界面包含四个必须部署的方法:
        * offsetExists($offset)
          This method is used to tell php if there is a value
          for the key specified by offset. It should return
          true or false.
        * offsetGet($offset)
          This method is used to return the value specified
          by the key offset.
        * offsetSet($offset, $value)
          This method is used to set a value within the object,
          you can throw an exception from this function for a
          read-only collection.
        * offsetUnset($offset)
          This method is used when a value is removed from
          an array either through unset() or assigning the key
          a value of null. In the case of numerical arrays, this
          offset should not be deleted and the array should
          not be reindexed unless that is specifically the
          behavior you want.

下面就是一个部署ArrayAccess界面的实例:

PHP代码
  1. /** 
  2. * A class that can be used like an array 
  3. */  
  4. class Article implements ArrayAccess {  
  5.  public $title;  
  6.  public $author;  
  7.  public $category;   
  8.  function __construct($title,$author,$category) {  
  9.    $this->title = $title;  
  10.    $this->author = $author;  
  11.    $this->category = $category;  
  12.  }  
  13.  /** 
  14.  * Defined by ArrayAccess interface 
  15.  * Set a value given it's key e.g. $A['title'] = 'foo'; 
  16.  * @param mixed key (string or integer) 
  17.  * @param mixed value 
  18.  * @return void 
  19.  */  
  20.  function offsetSet($key$value) {  
  21.    if ( array_key_exists($key,get_object_vars($this)) ) {  
  22.      $this->{$key} = $value;  
  23.    }  
  24.  }  
  25.  /** 
  26.  * Defined by ArrayAccess interface 
  27.  * Return a value given it's key e.g. echo $A['title']; 
  28.  * @param mixed key (string or integer) 
  29.  * @return mixed value 
  30.  */  
  31.  function offsetGet($key) {  
  32.    if ( array_key_exists($key,get_object_vars($this)) ) {  
  33.      return $this->{$key};  
  34.    }  
  35.  }  
  36.  /** 
  37.  * Defined by ArrayAccess interface 
  38.  * Unset a value by it's key e.g. unset($A['title']); 
  39.  * @param mixed key (string or integer) 
  40.  * @return void 
  41.  */  
  42.  function offsetUnset($key) {  
  43.    if ( array_key_exists($key,get_object_vars($this)) ) {  
  44.      unset($this->{$key});  
  45.    }  
  46.  }  
  47.  /** 
  48.  * Defined by ArrayAccess interface 
  49.  * Check value exists, given it's key e.g. isset($A['title']) 
  50.  * @param mixed key (string or integer) 
  51.  * @return boolean 
  52.  */  
  53.  function offsetExists($offset) {  
  54.    return array_key_exists($offset,get_object_vars($this));  
  55.  }  
  56. }  

使用方法如下:

PHP代码
  1. // Create the object  
  2. $A = new Article('SPL Rocks','Joe Bloggs''PHP');  
  3. // Check what it looks like  
  4. echo 'Initial State:';  
  5. print_r($A);  
  6. echo "\n";  
  7. // Change the title using array syntax  
  8. $A['title'] = 'SPL _really_ rocks';  
  9. // Try setting a non existent property (ignored)  
  10. $A['not found'] = 1;  
  11. // Unset the author field  
  12. unset($A['author']);  
  13. // Check what it looks like again  
  14. echo 'Final State:';  
  15. print_r($A);  
  16. echo "\n";  

运行结果如下:
    Initial State:
    Article Object
    (
       [title] => SPL Rocks
       [author] => Joe Bloggs
       [category] => PHP
    )
    Final State:
    Article Object
    (
       [title] => SPL _really_ rocks
       [category] => PHP
    )

可以看到,$A虽然是一个object,但是完全可以像array那样操作。
你还可以在读取数据时,增加程序内部的逻辑:

PHP代码
  1. function offsetGet($key) {  
  2.    if ( array_key_exists($key,get_object_vars($this)) ) {  
  3.      return strtolower($this->{$key});  
  4.    }  
  5.  }  

5. IteratorAggregate界面
但是,虽然$A可以像数组那样操作,却无法使用foreach遍历,除非部署了前面提到的Iterator界面。
另一个解决方法是,有时会需要将数据和遍历部分分开,这时就可以部署IteratorAggregate界面。它规定了一个getIterator()方法,返回一个使用Iterator界面的object。
还是以上一节的Article类为例:

PHP代码
  1. class Article implements ArrayAccess, IteratorAggregate {  
  2. /** 
  3.  * Defined by IteratorAggregate interface 
  4.  * Returns an iterator for for this object, for use with foreach 
  5.  * @return ArrayIterator 
  6.  */  
  7.  function getIterator() {  
  8.    return new ArrayIterator($this);  
  9.  }  



使用方法如下:

PHP代码
  1. $A = new Article('SPL Rocks','Joe Bloggs''PHP');  
  2. // Loop (getIterator will be called automatically)  
  3. echo 'Looping with foreach:';  
  4. foreach ( $A as $field => $value ) {  
  5.  echo "$field : $value";  
  6. }  
  7. echo '';  
  8. // Get the size of the iterator (see how many properties are left)  
  9. echo "Object has ".sizeof($A->getIterator())." elements";  

显示结果如下:
    Looping with foreach:
    title : SPL Rocks
    author : Joe Bloggs
    category : PHP
    Object has 3 elements

6. RecursiveIterator界面
这个界面用于遍历多层数据,它继承了Iterator界面,因而也具有标准的current()、key()、next()、 rewind()和valid()方法。同时,它自己还规定了getChildren()和hasChildren()方法。The getChildren() method must return an object that implements RecursiveIterator.
7. SeekableIterator界面
SeekableIterator界面也是Iterator界面的延伸,除了Iterator的5个方法以外,还规定了seek()方法,参数是元素的位置,返回该元素。如果该位置不存在,则抛出OutOfBoundsException。
下面是一个是实例:

PHP代码
  1. class PartyMemberIterator implements SeekableIterator  
  2. {  
  3.     public function __construct(PartyMember $member)  
  4.     {  
  5.         // Store $member locally for iteration  
  6.     }  
  7.     public function seek($index)  
  8.     {  
  9.         $this->rewind();  
  10.         $position = 0;  
  11.         while ($position < $index && $this->valid()) {  
  12.             $this->next();  
  13.             $position++;  
  14.         }  
  15.         if (!$this->valid()) {  
  16.             throw new OutOfBoundsException('Invalid position');  
  17.         }  
  18.     }  
  19.     // Implement current(), key(), next(), rewind()  
  20.     // and valid() to iterate over data in $member  
  21. }  

8. Countable界面
这个界面规定了一个count()方法,返回结果集的数量。
第三部分 SPL Classes
9. SPL的内置类
SPL除了定义一系列Interfaces以外,还提供一系列的内置类,它们对应不同的任务,大大简化了编程。
查看所有的内置类,可以使用下面的代码:

PHP代码
  1. // a simple foreach() to traverse the SPL class names  
  2. foreach(spl_classes() as $key=>$value)  
  3. {  
  4.     echo $key.' -> '.$value.'';  
  5. }  

10. DirectoryIterator类
这个类用来查看一个目录中的所有文件和子目录:
 

PHP代码
  1. try{  
  2.   /*** class create new DirectoryIterator Object ***/  
  3.     foreach ( new DirectoryIterator('./'as $Item )  
  4.         {  
  5.         echo $Item.'';  
  6.         }  
  7.     }  
  8. /*** if an exception is thrown, catch it here ***/  
  9. catch(Exception $e){  
  10.     echo 'No files Found!';  
  11. }  


查看文件的详细信息:
 

PHP代码
  1. foreach(new DirectoryIterator('./' ) as $file )  
  2.     {  
  3.     if$file->getFilename()  == 'foo.txt' )  
  4.         {  
  5.         echo ' getFilename() '; var_dump($file->getFilename()); echo ' ';  
  6.     echo ' getBasename() '; var_dump($file->getBasename()); echo ' ';  
  7.         echo ' isDot() '; var_dump($file->isDot()); echo ' ';  
  8.         echo ' __toString() '; var_dump($file->__toString()); echo ' ';  
  9.         echo ' getPath() '; var_dump($file->getPath()); echo ' ';  
  10.         echo ' getPathname() '; var_dump($file->getPathname()); echo ' ';  
  11.         echo ' getPerms() '; var_dump($file->getPerms()); echo ' ';  
  12.         echo ' getInode() '; var_dump($file->getInode()); echo ' ';  
  13.         echo ' getSize() '; var_dump($file->getSize()); echo ' ';  
  14.         echo ' getOwner() '; var_dump($file->getOwner()); echo ' ';  
  15.         echo ' $file->getGroup() '; var_dump($file->getGroup()); echo ' ';  
  16.         echo ' getATime() '; var_dump($file->getATime()); echo ' ';  
  17.         echo ' getMTime() '; var_dump($file->getMTime()); echo ' ';  
  18.         echo ' getCTime() '; var_dump($file->getCTime()); echo ' ';  
  19.         echo ' getType() '; var_dump($file->getType()); echo ' ';  
  20.         echo ' isWritable() '; var_dump($file->isWritable()); echo ' ';  
  21.         echo ' isReadable() '; var_dump($file->isReadable()); echo ' ';  
  22.         echo ' isExecutable( '; var_dump($file->isExecutable()); echo ' ';  
  23.         echo ' isFile() '; var_dump($file->isFile()); echo ' ';  
  24.         echo ' isDir() '; var_dump($file->isDir()); echo ' ';  
  25.         echo ' isLink() '; var_dump($file->isLink()); echo ' ';  
  26.         echo ' getFileInfo() '; var_dump($file->getFileInfo()); echo ' ';  
  27.         echo ' getPathInfo() '; var_dump($file->getPathInfo()); echo ' ';  
  28.         echo ' openFile() '; var_dump($file->openFile()); echo ' ';  
  29.         echo ' setFileClass() '; var_dump($file->setFileClass()); echo ' ';  
  30.         echo ' setInfoClass() '; var_dump($file->setInfoClass()); echo ' ';  
  31.         }  
  32. }  


除了foreach循环外,还可以使用while循环:

PHP代码
  1.     /*** create a new iterator object ***/  
  2.     $it = new DirectoryIterator('./');  
  3.     /*** loop directly over the object ***/  
  4.     while($it->valid())  
  5.     {  
  6.         echo $it->key().' -- '.$it->current().' ';  
  7.         /*** move to the next iteration ***/  
  8.         $it->next();  
  9.     }  

如果要过滤所有子目录,可以在valid()方法中过滤:

PHP代码
  1. /*** create a new iterator object ***/  
  2. $it = new DirectoryIterator('./');  
  3. /*** loop directly over the object ***/  
  4. while($it->valid())  
  5. {  
  6.     /*** check if value is a directory ***/  
  7.     if($it->isDir())  
  8.     {  
  9.        /*** echo the key and current value ***/  
  10.        echo $it->key().' -- '.$it->current().'';  
  11.     }  
  12.     /*** move to the next iteration ***/  
  13.     $it->next();  
  14.  }  

11. ArrayObject类
这个类可以将Array转化为object。
 

PHP代码
  1. /*** a simple array ***/  
  2. $array = array('koala''kangaroo''wombat''wallaby''emu''kiwi''kookaburra''platypus');  
  3. /*** create the array object ***/  
  4. $arrayObj = new ArrayObject($array);  
  5. /*** iterate over the array ***/  
  6. for($iterator = $arrayObj->getIterator();  
  7.    /*** check if valid ***/  
  8.    $iterator->valid();  
  9.    /*** move to the next array member ***/  
  10.    $iterator->next())  
  11.     {  
  12.     /*** output the key and current array value ***/  
  13.     echo $iterator->key() . ' => ' . $iterator->current() . '';  
  14.     }  


增加一个元素:
    $arrayObj->append('dingo');

对元素排序:
    $arrayObj->natcasesort();

显示元素的数量:
    echo $arrayObj->count();

删除一个元素:
    $arrayObj->offsetUnset(5);

某一个元素是否存在:
     if ($arrayObj->offsetExists(3))
        {
           echo 'Offset Exists';
        }

更改某个位置的元素值:
     $arrayObj->offsetSet(5, "galah");

显示某个位置的元素值:
    echo $arrayObj->offsetGet(4);

12. ArrayIterator类
这个类实际上是对ArrayObject类的补充,为后者提供遍历功能。
示例如下:
 

PHP代码
  1. /*** a simple array ***/  
  2. $array = array('koala''kangaroo''wombat''wallaby''emu''kiwi''kookaburra''platypus');  
  3. try {  
  4.     $object = new ArrayIterator($array);  
  5.     foreach($object as $key=>$value)  
  6.     {  
  7.         echo $key.' => '.$value.'';  
  8.     }  
  9. }  
  10. catch (Exception $e)  
  11. {  
  12.     echo $e->getMessage();  
  13. }  
  14.   
  15. //rayIterator类也支持offset类方法和count()方法:  
  16.   
  17.     /*** a simple array ***/  
  18. $array = array('koala''kangaroo''wombat''wallaby''emu''kiwi''kookaburra''platypus');  
  19. try {  
  20.     $object = new ArrayIterator($array);  
  21.     /*** check for the existence of the offset 2 ***/  
  22.     if($object->offSetExists(2))  
  23.     {  
  24.         /*** set the offset of 2 to a new value ***/  
  25.         $object->offSetSet(2, 'Goanna');  
  26.     }  
  27.    /*** unset the kiwi ***/  
  28.    foreach($object as $key=>$value)  
  29.    {  
  30.         /*** check the value of the key ***/  
  31.         if($object->offSetGet($key) === 'kiwi')  
  32.         {  
  33.             /*** unset the current key ***/  
  34.             $object->offSetUnset($key);  
  35.         }  
  36.         echo ''.$key.' - '.$value.''."\n";  
  37.     }  
  38. }  
  39. catch (Exception $e)  
  40. {  
  41.     echo $e->getMessage();  
  42. }  


    ?>
   

13. RecursiveArrayIterator类和RecursiveIteratorIterator类
ArrayIterator类和ArrayObject类,只支持遍历一维数组。如果要遍历多维数组,必须先用 RecursiveIteratorIterator生成一个Iterator,然后再对这个Iterator使用 RecursiveIteratorIterator。

PHP代码
  1. $array = array(  
  2.    array('name'=>'butch''sex'=>'m''breed'=>'boxer'),  
  3.    array('name'=>'fido''sex'=>'m''breed'=>'doberman'),  
  4.    array('name'=>'girly','sex'=>'f''breed'=>'poodle')  
  5. );  
  6. foreach(new RecursiveIteratorIterator(new RecursiveArrayIterator($array)) as $key=>$value)  
  7. {  
  8.     echo $key.' -- '.$value.'';  
  9. }  

14. FilterIterator类
FilterIterator类可以对元素进行过滤,只要在accept()方法中设置过滤条件就可以了。
示例如下:

PHP代码
  1.         /*** a simple array ***/  
  2.     $animals = array('koala''kangaroo''wombat''wallaby''emu''NZ'=>'kiwi''kookaburra''platypus');  
  3.     class CullingIterator extends FilterIterator{  
  4.     /*** The filteriterator takes  a iterator as param: ***/  
  5.     public function __construct( Iterator $it ){  
  6.       parent::__construct( $it );  
  7.     }  
  8.     /*** check if key is numeric ***/  
  9.     function accept(){  
  10.       return is_numeric($this->key());  
  11.     }  
  12.     }/*** end of class ***/  
  13.     $cull = new CullingIterator(new ArrayIterator($animals));  
  14.     foreach($cull as $key=>$value)  
  15.         {  
  16.         echo $key.' == '.$value.'';  
  17.         }  
  18.     ?>  
  19. //下面是另一个返回质数的例子:  
  20.      
  21.     class PrimeFilter extends FilterIterator{  
  22.     /*** The filteriterator takes  a iterator as param: ***/  
  23.     public function __construct(Iterator $it){  
  24.       parent::__construct($it);  
  25.     }  
  26.     /*** check if current value is prime ***/  
  27.     function accept(){  
  28.     if($this->current() % 2 != 1)  
  29.         {  
  30.         return false;  
  31.         }  
  32.     $d = 3;  
  33.     $x = sqrt($this->current());  
  34.     while ($this->current() % $d != 0 && $d < $x)  
  35.         {  
  36.         $d += 2;  
  37.         }  
  38.      return (($this->current() % $d == 0 && $this->current() != $d) * 1) == 0 ? true : false;  
  39.     }  
  40.     }/*** end of class ***/  
  41.     /*** an array of numbers ***/  
  42.     $numbers = range(212345,212456);  
  43.     /*** create a new FilterIterator object ***/  
  44.     $primes = new primeFilter(new ArrayIterator($numbers));  
  45.     foreach($primes as $value)  
  46.         {  
  47.         echo $value.' is prime.';  
  48.         }  

15. SimpleXMLIterator类
这个类用来遍历xml文件。
示例如下:
 原文的XML在就是变型的,或者说在解释的时候已经坏掉了,所以。我删除了,直接看方法吧:by 膘叔

PHP代码
  1. /*** a new simpleXML iterator object ***/  
  2. try    {  
  3.        /*** a new simple xml iterator ***/  
  4.        $it = new SimpleXMLIterator($xmlstring);  
  5.        /*** a new limitIterator object ***/  
  6.        foreach(new RecursiveIteratorIterator($it,1) as $name => $data)  
  7.           {  
  8.           echo $name.' -- '.$data.'';  
  9.           }  
  10.     }  
  11. catch(Exception $e)  
  12.     {  
  13.     echo $e->getMessage();  
  14.     }  

new RecursiveIteratorIterator($it,1)表示显示所有包括父元素在内的子元素。
显示某一个特定的元素值,可以这样写:

PHP代码
  1. try {  
  2. /*** a new simpleXML iterator object ***/  
  3. $sxi =  new SimpleXMLIterator($xmlstring); 
  4. foreach ( $sxi as $node )  
  5.     {  
  6.     foreach($node as $k=>$v)  
  7.         {  
  8.         echo $v->species.'';  
  9.         }  
  10.     }  
  11. }  
  12. catch(Exception $e)  
  13. {  
  14. echo $e->getMessage();  
  15. }  


相对应的while循环写法为:
 

PHP代码
  1. try {  
  2. $sxe = simplexml_load_string($xmlstring'SimpleXMLIterator');  
  3. for ($sxe->rewind(); $sxe->valid(); $sxe->next())  
  4.     {  
  5.     if($sxe->hasChildren())  
  6.         {  
  7.         foreach($sxe->getChildren() as $element=>$value)  
  8.           {  
  9.           echo $value->species.'';  
  10.           }  
  11.         }  
  12.      }  
  13.    }  
  14. catch(Exception $e)  
  15.    {  
  16.    echo $e->getMessage();  
  17.    }  


最方便的写法,还是使用xpath:
 

PHP代码
  1. try {  
  2.  /*** a new simpleXML iterator object ***/  
  3.  $sxi =  new SimpleXMLIterator($xmlstring);  
  4.  /*** set the xpath ***/  
  5.  $foo = $sxi->xpath('animal/category/species');  
  6.  /*** iterate over the xpath ***/  
  7.  foreach ($foo as $k=>$v)  
  8.      {  
  9.      echo $v.'';  
  10.      }  
  11.  }  
  12. ch(Exception $e)  
  13.  {  
  14.  echo $e->getMessage();  
  15.  }  


下面的例子,显示有namespace的情况:

PHP代码
  1. /*** a new simpleXML iterator object ***/  
  2. try {  
  3.     /*** a new simpleXML iterator object ***/  
  4.     $sxi =  new SimpleXMLIterator($xmlstring);  
  5.     $sxi-> registerXPathNamespace('spec''http://www.exampe.org/species-title');  
  6.     /*** set the xpath ***/  
  7.     $result = $sxi->xpath('//spec:name');  
  8.     /*** get all declared namespaces ***/  
  9.    foreach($sxi->getDocNamespaces('animal'as $ns)  
  10.         {  
  11.         echo $ns.'';  
  12.         }  
  13.     /*** iterate over the xpath ***/  
  14.     foreach ($result as $k=>$v)  
  15.         {  
  16.         echo $v.'';  
  17.         }  
  18.     }  
  19. catch(Exception $e)  
  20.     {  
  21.     echo $e->getMessage();  
  22.     }  


增加一个节点:

PHP代码
  1. try {  
  2.     /*** a new simpleXML iterator object ***/  
  3.     $sxi =  new SimpleXMLIterator($xmlstring);  
  4.     /*** add a child ***/  
  5.     $sxi->addChild('animal''Tiger');  
  6.     /*** a new simpleXML iterator object ***/  
  7.     $new = new SimpleXmlIterator($sxi->saveXML());  
  8.     /*** iterate over the new tree ***/  
  9.     foreach($new as $val)  
  10.         {  
  11.         echo $val.'';  
  12.         }  
  13.     }  
  14. catch(Exception $e)  
  15.     {  
  16.     echo $e->getMessage();  
  17.     }  

增加属性:

PHP代码
  1. try {  
  2.     /*** a new simpleXML iterator object ***/  
  3.     $sxi =  new SimpleXMLIterator($xmlstring);  
  4.     /*** add an attribute with a namespace ***/  
  5.     $sxi->addAttribute('id:att1''good things''urn::test-foo');  
  6.     /*** add an attribute without a  namespace ***/  
  7.     $sxi->addAttribute('att2''no-ns');  
  8.     echo htmlentities($sxi->saveXML());  
  9.     }  
  10. catch(Exception $e)  
  11.     {  
  12.     echo $e->getMessage();  
  13.     }  

16. CachingIterator类
这个类有一个hasNext()方法,用来判断是否还有下一个元素。
示例如下:
 

PHP代码
  1.    /*** a simple array ***/  
  2. $array = array('koala''kangaroo''wombat''wallaby''emu''kiwi''kookaburra''platypus');  
  3. try {  
  4.     /*** create a new object ***/  
  5.     $object = new CachingIterator(new ArrayIterator($array));  
  6.     foreach($object as $value)  
  7.         {  
  8.         echo $value;  
  9.         if($object->hasNext())  
  10.             {  
  11.             echo ',';  
  12.             }  
  13.         }  
  14.     }  
  15. catch (Exception $e)  
  16.     {  
  17.     echo $e->getMessage();  
  18.     }  

17. LimitIterator类
这个类用来限定返回结果集的数量和位置,必须提供offset和limit两个参数,与SQL命令中limit语句类似。
示例如下:

PHP代码
  1.     /*** the offset value ***/  
  2. $offset = 3;  
  3. /*** the limit of records to show ***/  
  4. $limit = 2;  
  5. $array = array('koala''kangaroo''wombat''wallaby''emu''kiwi''kookaburra''platypus');  
  6. $it = new LimitIterator(new ArrayIterator($array), $offset$limit);  
  7. foreach($it as $k=>$v)  
  8.     {  
  9.     echo $it->getPosition().'';  
  10.     }  

另一个例子是:
   

PHP代码
  1. /*** a simple array ***/  
  2. $array = array('koala''kangaroo''wombat''wallaby''emu''kiwi''kookaburra''platypus');  
  3. $it = new LimitIterator(new ArrayIterator($array));  
  4. try  
  5.     {  
  6.     $it->seek(5);  
  7.     echo $it->current();  
  8.     }  
  9. catch(OutOfBoundsException $e)  
  10.     {  
  11.     echo $e->getMessage() . "";  
  12.     }  


18. SplFileObject类
这个类用来对文本文件进行遍历。
示例如下:

PHP代码
  1. try{  
  2.     // iterate directly over the object  
  3.     foreachnew SplFileObject("/usr/local/apache/logs/access_log"as $line)  
  4.     // and echo each line of the file  
  5.     echo $line.'';  
  6. }  
  7. catch (Exception $e)  
  8.     {  
  9.     echo $e->getMessage();  
  10.     }  

返回文本文件的第三行,可以这样写:

PHP代码
  1. try{  
  2.     $file = new SplFileObject("/usr/local/apache/logs/access_log");  
  3.     $file->seek(3);  
  4.     echo $file->current();  
  5. }  
  6. catch (Exception $e)  
  7. {  
  8.     echo $e->getMessage();  
  9. }  


[参考文献]
1. Introduction to Standard PHP Library (SPL), By Kevin Waterson
2. Introducing PHP 5's Standard Library, By Harry Fuecks
3. The Standard PHP Library (SPL), By Ben Ramsey
4. SPL - Standard PHP Library Documentation

 

smarty3即将出来

PHP的模版里,smarty一直就是让人又爱又恨的,功能太强大了,以致于美工们看到他也会感觉头疼,毕竟是又要学一门新的语言了。
这么多年,smarty都是在2.x版本里面徘徊,如今,终于要出3了。
以下是官方的change log:

10/6/2008

- completed compilation of {include} tag, variable scoping same as in smarty2

- added compilation of {capture} tag.

- added error message on none existing template files.

10/4/2008
- added comments in the parser definition y file.

- added array of $smarty_token_names to lexer for use in trigger_template_error function

- change handling of none smarty2 style tags like {if}, {for}....

- lexer/parser optimization

10/3/2008

- create different compiled template files depending if caching and/or security is enabled

- cleaned up compiler

- lexer/parser optimization

10/2/2008

- new method trigger fatal error, displays massage and terminates smarty

- compile error status flag added
The compiler will in case of error continue to parse the template(s) to display all errors. No compiled
templates will be written, Smarty terminates after the compiler exits.

- added error message to function __call in Smarty.class.php

Tags: smarty, version, php, template, smarttemplate

漫游(manyou)简介

本文COPY自discuz论坛,也颇为感慨,不得不承认,discuz走在了很多软件开发的前列,它以论坛为中心,辅以了supesite,uchome等不同的应用,一直以来它都是以站长为中心,目前,也渐渐开始以开发者为中心了。

以站长为中心,是我个人的见解,毕竟从很久以前,为它开发插件就不得不考虑论坛升级会怎么样,原有的程序是否会动。而目前则可以根据接口来进行开发,只要接口没变,其他的就不用管了。

下面的内容是COPY过来的。可以看看介绍。原文:http://www.discuz.net/thread-989303-1-1.html

前言

Manyou是开发者发挥才华、创造梦想的开放平台。从2008年7月7日公告推出测试至今,Manyou收悉了从开发者、站长的大量建议和咨询问题,从Manyou当前的定位、功能、应用方法和案例等问题,到Manyou未来如何实现商业模式和盈利,均有涉及。

值得欣慰的是,这些问题也是Manyou的关心点和关注方向,大多数问题是Manyou现在就能回答的,但也有一些问题需要Manyou在未来的探索中实践了之后才能与外界分享的。

为了共同的进步,Manyou愿意从现在开始,与所有的关注者共同探讨,掀开彼此合作的序幕。



互联网正在向应用迈进


互联网在中国发展已超过了十个年头,正在从单纯的信息时代逐步走向全面的应用时代。而走向全面的应用时代之前,“人”必须代替“信息”在互联网上占有更主导的地位,于是以“人”为中心的社交网络(SNS)符合了这一潮流,在今天的互联网格局里,显示出了越来越大的生命力和成长性。相对应地,Facebook、Myspace以及国内的校内、51.com的迅猛突起绝对不是一个偶然。

但是,SNS单纯有“人”或“人际”也远远不够,实现真正SNS的持久黏性与成长,则需要丰富而个性的“应用”,以符合不同人差异化的需求。“人际”与“应用”,“SNS”与“Widget”,互为支撑,缺一不可。

拿Facebook来说,截至2008年7月15日,从Facebook的第三方应用分析网站adonomics.com(http://adonomics.com/)可以获得的数据是,当前Facebook已有32350个应用(app),并且有超过9亿人安装了这些应用中的一个或多个,而为投入这些应用的开发者则超过了20万人。

Facebook Facts
There are 904,333,228 installs across 32,350 apps on Facebook with over 200,000 developers currently evaluating the platform.
These applications were used 34,175,797 times in the last 24 hours and have a combined valuation of $442,611,700.

一个月前,在Google的开放日上,李开复说互联网的第一个时代是Web1.0时代,第二个时代是Web2.0时代,第三个时代则是开发者的时代。不管他的排序是不是最准确的预言,但相信他的本意是在告诉我们,今天的互联网正在向“开发者的平台”方向迈进。如果要为这正在(或即将)到来的一幕作为一个历史对比的话,可以想象一下Windows刚出现时诞生“中文之星”、“KV100”、“超级解霸”、“OICQ”等操作系统软件(OS software)的场景。互联网应用(Web apps)将逐渐浮出水面,也许它也有机会创造另一个王志东、王江民、梁肇新或马化腾。

李开复说:互联网经历了三个时代的变迁。
第一个时代是Web1.0的时代,大家通过媒体的报道和文章的撰写来了解资讯和新闻。
第二个时代是web2.0的时代,我们看到的分享的互联网的时代,也就是说个人可以经过博客,经过BBS等其他的方式都可以发表他们的意见,引起了很大的轰动,也造成了很多人与人之间、网友与网友之间的互动。
那么互联网的第三个时代,应该是开发者的时代。开发者的崛起,让网络从一个文字的,社区性的一个平台,变成一个可以提供无限应用的,能够汇集众多开发者的智慧,提供技术应用的互联网时代。

从开发者与站长的角度出发,UCenter Home和Manyou的定位选择



Manyou与UCenter Home,一个希望服务于应用,一个希望服务于SNS。或者说,一个服务于开发者,一个服务于站长。这就是Comsenz对Manyou以及UCenter home的定位。我们将以最大的开放来面对这一定位。“开放是一种心态,共赢的心态。”这是大C的原话,也是Comsenz立场和态度。如果说Comsenz做这些事情没有梦想,不是为了发展和成长,那是谎话;如果说Comsenz仅仅为了自己的发展,违背了我们服务了七年的站长、陪伴Comsenz多年的开发者(如插件作者、第三方开发者)的成长和利益,那更是蠢话。

Manyou开放平台(Manyou Open Platform,即MYOP)希望是嫁接在开发者、站长之间引导公平游戏规则的贡献者和建立者。“在某种程度上,是为站长和应用开发者这两个供需双方,建立一种公平的市场经济体制。”

目前,UCenter home已经有超过15000家网站在安装使用,这些网站中的大多数都在期待包含MYOP功能的UCenter Home 1.5版本平台,以实现在运营时,有大量的应用可供选择服务于他们的网民。拿地方网站暨阳社区来说,有很多本地上班族经常泡,肯定正需要象“记录心情”、“互赠礼物”、“休闲棋牌”、“个人理财”等方面的应用;拿旅游社区驴友录来 说,一定还需要“在外地手机也能写博客”、“匹配结伴出行”等更个性化的应用。千千万万的网站,还需要更多千千万万种类的特色应用,显然,这是 Comsenz的能力所不能承受的。尽管Comsenz过去也在Discuz!的基础上发展了多个产品,服务了更广泛的应用,但总体而言种类还是个位数的 (而且还蛮累的啦)。

所以,我们希望一切有开发能力的开发者、一切有志于共创未来的开发者,能够携手与Manyou,共同服务于广大的站长和网民。

Manyou的工作原理很简单,她一边嫁接与支持MYOP协议的无数个网站,一边串联开发者提供的无数个应用,从而实现开发者的应用能够通过传递到各个网站上,以供网民自由选择采用。并且,Manyou仅是一个虚拟的机制,是一个交换数据的协议,而并非是一个实体。她面向开发者唯一比较直接的一个功能就是,审核应用的安全性和稳定性,以确保网站使用者的基本利益。

用下面这张图片,也许就能比较清晰地交代这种关系,如下图:






从零出发的两个准备



如果您清楚了Manyou的定位,并认可了Comsenz的立场和态度,那么,下一步的开发行动就是非常简易而方便的事情了。

在做开发之前,先需要了解MYOP的基本协议和开发过程中遵守的原则,您可以先登录Manyou开发者指南网站 http://wiki.developer.manyou.com/。在这个网站上,主要内容包括:
1、MYOP简介
2、MYOP应用服务协议
3、快速上手的指南文档
4、两个示范案例及相应的原理
      *  创建“Hello world”程序  
      *  Manyou应用开发进阶(“茶花女”的案例)
5、Manyou开发的接口文档Manyou Markup Language(MYML)Manyou Query Language(MYQL)MYJS标准JavaScript的扩展等技术资料。
6、关于Manyou的一些问题Q/A列表。(更多问题,亦可参考大C的答问帖查看:http://www.discuz.net/viewthread.php?tid=982973&highlight=

做完了Manyou知识的准备,您就可以到Manyou的开发者测试环境网站http://uchome.developer.manyou.com/)上开始行动了。

1、第一步,如果您已经是Discuz.net的会员,直接登录会员帐号即可登录Manyou开发者测试环境网站(http://uchome.developer.manyou.com/),否则的话,您还需要再注册一个会员登录帐号。
2、第二步,点击“开始”菜单的“开发者”,了解“开发者首页”的每一项信息;
   BTW:这也是一个UCenter home 1.5版本的网站,如果您的应用在该网站上测试通过,基本可表明你的应用符合了体验,符合了可以应用的基本条件。
3、第三步,在“开发者首页”的右上角,有一个“创建新应用”的按钮,点击之并按照向导一步步动作,就能提交您的应用进行测试了。
4、等待审核通过,成为正式的面向所有会员的应用;
   BTW:已通过审核的所有应用列表,可以在点击“开始”菜单内的“我的应用”,并再点击“查看所有应用”获得。
5、在UCenter home1.5版本及Manyou正式版本发布之后,通过审核的所有应用,将能在所有同意MYOP协议的UCenter home网站上运行。








蕴藏的机会第一个留给插件开发者



这是一个机会。但对于Comsenz来说,这也是一个全新的挑战。Comsenz的历史经验是,每个产品都是按照自己的周期和节奏来发布,比如Discuz!,每一个版本的升级往往是,2个月或3个月一个小版本,10个月或12个月一个大版本,非常有规律。但是,它的弊端在于,首先我们不能紧随潮流,随时升级发布,随时响应站长和网民的需求;其次,众口难调,我们每一个版本开发的新功能不能适应每一个站长的需求,有的站长需要,有的不需要,最多能满足多数站长都需要的功能。

在此之前,大量的有创新意识的插件开发者、模板作者扮演了至关重要的角色,他们通过有创意的插件和模板调补了市场上这一空白,为追求个性的站长找到了解决方案,在一定程度上缓解了这一矛盾。

但根本的矛盾依然没有解决。对我们的大量站长来说,我们至少要面临一个痛苦的抉择,必须在每一次升级平台软件(如Discuz!)之时,先卸载了所有的插 件应用,然后才能再升级,再安装与升级的新版本匹配的插件,每次这种工作都很痛苦,“象脱了一层皮”。对插件开发者而言,所有的应用发布无法展开持续有效 地升级,由于插件必须伴随平台软件才能升级时,周期不由自己来掌控,非常被动,而更为郁闷的是,插件开发者无法从站长那里获得任何与应用有关的数据,跟踪 应用的进展,更无法从中获得用户的反馈。Comsenz深知,广大插件开发者在官方论坛上经常呼吁希望官方出台一个标准。

今天的Manyou,正是朝这样一个标准努力的。Manyou希望,真正能帮助广大插件开发者扩大自由和权利。开发者的自由 是:1)开发的过程更自由;2)升级的过程更自由;3)获得网站和用户使用的途径更自由、更方便。为开发者争取的权利则是:1)与站长的接触和沟通更便 利、更对等;2)获得应用反馈信息、数据的能力更多;3)获得收益的可能性更大。

所以,我们期望把蕴藏的机会第一个先留给一直支持Comsenz的插件开发者,从而实现广大插件开发者成为应用开发者,与站长实现共同升级与成长。当然,我们也愿意更多的人加入进来!Comsenz期待任何有志于此的第三方合作者,无论是公司还是个人。

请加入Manyou,一起行动吧!


PS:补充需要说的是,商业模式和收益方式现在是任何从事互联网的公司或个人经常都会提及的问题。同样,我们也认可互 联网上的另外一个“硬道理”:有人用就有价值。我们相信,商业模式和收入方式是水到渠成的东西,第三方应用一旦有了足够的用户才使用,它的价值将随之应运 而生,这种收益途径包括但不限于:广告、会员费、交易收入等方式。机会不会给等的人,只会给有准备的人。希望我们在今天,就能为明天准备充分,有更好的平台、更好的应用给更多的用户。

附录
1、开发者在开发过程中如有任何技术难题请联系,胡东海,hudonghai#comsenz.com,010-51282255-243
2、如有相关市场合作可联系,张翔,zhangxiang#comsenz.com,010-51282255-829,13811110355

Tags: discuz, comsenz, uchome, manyou, ucenter

优化递归的效率

原文来自博客园,把代码全部翻译成了PHP的,因为这些东西对PHP同样适用。

函数递归调用是很常见的做法,但是它往往是低效的,本文探讨优化递归效率的思路。
1.尾递归转换成迭代
尾递归是一种简单的递归,它可以用迭代来代替 比如 求阶乘函数的递归表达

PHP代码
  1. <?php  
  2. function  f( $n = 0)  
  3. {  
  4.     if($n<=0)return 1;  
  5.     return $n*f($n-1);  
  6. }  
  7. ?>  

可以转换成完全等价的循环迭代

PHP代码
  1. <?php  
  2. function f($n = 0)  
  3. {  
  4.     $r=0;  
  5.     while$n-- > 0)  
  6.         $r *= $n;  
  7.     return $r;  
  8. }  
  9. ?>  

尾递归是最简单的情形,好的编译器甚至可以自动的识别尾递归并把它转换成循环迭代。


更多看详细

» 阅读全文

Tags: php, 递归, 效率, 优化