PHP標準ライブラリSPL

Nov 15, 2016 pm 03:55 PM
php

第一部 简介

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的结果集,程序需要这样写:

// Fetch the "aggregate structure"
$result = mysql_query("SELECT * FROM users");

// Iterate over the structure
while ( $row = mysql_fetch_array($result) ) {
   // do stuff with the row here
}
ログイン後にコピー

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

// Fetch the "aggregate structure"
$dh = opendir('/home/harryf/files');

// Iterate over the structure
while ( $file = readdir($dh) ) {
   // do stuff with the file here
}
ログイン後にコピー

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

// Fetch the "aggregate structure"
$fh = fopen("/home/hfuecks/files/results.txt", "r");

// Iterate over the structure
while (!feof($fh)) {

   $line = fgets($fh);
   // do stuff with the line here

}
ログイン後にコピー

上面三段代码,虽然处理的是不同的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示例:

/**
* An iterator for native PHP arrays, re-inventing the wheel
*
* Notice the "implements Iterator" - important!
*/
class ArrayReloaded implements Iterator {

   /**
   * A native PHP array to iterate over
   */
 private $array = array();

   /**
   * A switch to keep track of the end of the array
   */
 private $valid = FALSE;

   /**
   * Constructor
   * @param array native PHP array to iterate over
   */
 function __construct($array) {
   $this->array = $array;
 }

   /**
   * Return the array "pointer" to the first element
   * PHP's reset() returns false if the array has no elements
   */
 function rewind(){
   $this->valid = (FALSE !== reset($this->array));
 }

   /**
   * Return the current array element
   */
 function current(){
   return current($this->array);
 }

   /**
   * Return the key of the current array element
   */
 function key(){
   return key($this->array);
 }

   /**
   * Move forward by one
   * PHP's next() returns false if there are no more elements
   */
 function next(){
   $this->valid = (FALSE !== next($this->array));
 }

   /**
   * Is the current element valid?
   */
 function valid(){
   return $this->valid;
 }
}
ログイン後にコピー

使用方法如下:

// Create iterator object
$colors = new ArrayReloaded(array ('red','green','blue',));

// Iterate away!
foreach ( $colors as $color ) {
 echo $color."<br>";
}
ログイン後にコピー

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

// Display the keys as well
foreach ( $colors as $key => $color ) {
 echo "$key: $color<br>";
}
ログイン後にコピー

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

// Reset the iterator - foreach does this automatically
$colors->rewind();

// Loop while valid
while ( $colors->valid() ) {

   echo $colors->key().": ".$colors->current()."
";
   $colors->next();

}
ログイン後にコピー

根据测试,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界面的实例:

/**
* A class that can be used like an array
*/
class Article implements ArrayAccess {

 public $title;

 public $author;

 public $category;  

 function __construct($title,$author,$category) {
   $this->title = $title;
   $this->author = $author;
   $this->category = $category;
 }

 /**
 * Defined by ArrayAccess interface
 * Set a value given it&#39;s key e.g. $A[&#39;title&#39;] = &#39;foo&#39;;
 * @param mixed key (string or integer)
 * @param mixed value
 * @return void
 */
 function offsetSet($key, $value) {
   if ( array_key_exists($key,get_object_vars($this)) ) {
     $this->{$key} = $value;
   }
 }

 /**
 * Defined by ArrayAccess interface
 * Return a value given it&#39;s key e.g. echo $A[&#39;title&#39;];
 * @param mixed key (string or integer)
 * @return mixed value
 */
 function offsetGet($key) {
   if ( array_key_exists($key,get_object_vars($this)) ) {
     return $this->{$key};
   }
 }

 /**
 * Defined by ArrayAccess interface
 * Unset a value by it&#39;s key e.g. unset($A[&#39;title&#39;]);
 * @param mixed key (string or integer)
 * @return void
 */
 function offsetUnset($key) {
   if ( array_key_exists($key,get_object_vars($this)) ) {
     unset($this->{$key});
   }
 }

 /**
 * Defined by ArrayAccess interface
 * Check value exists, given it&#39;s key e.g. isset($A[&#39;title&#39;])
 * @param mixed key (string or integer)
 * @return boolean
 */
 function offsetExists($offset) {
   return array_key_exists($offset,get_object_vars($this));
 }

}
ログイン後にコピー

使用方法如下:

// Create the object
$A = new Article(&#39;SPL Rocks&#39;,&#39;Joe Bloggs&#39;, &#39;PHP&#39;);

// Check what it looks like
echo &#39;Initial State:<div>&#39;;
print_r($A);
echo &#39;</div>&#39;;

// Change the title using array syntax
$A[&#39;title&#39;] = &#39;SPL _really_ rocks&#39;;

// Try setting a non existent property (ignored)
$A[&#39;not found&#39;] = 1;

// Unset the author field
unset($A[&#39;author&#39;]);

// Check what it looks like again
echo &#39;Final State:<div>&#39;;
print_r($A);
echo &#39;</div>&#39;;
ログイン後にコピー

运行结果如下:

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那样操作。

你还可以在读取数据时,增加程序内部的逻辑:

function offsetGet($key) {
   if ( array_key_exists($key,get_object_vars($this)) ) {
     return strtolower($this->{$key});
   }
 }
ログイン後にコピー

5. IteratorAggregate界面

但是,虽然$A可以像数组那样操作,却无法使用foreach遍历,除非部署了前面提到的Iterator界面。

另一个解决方法是,有时会需要将数据和遍历部分分开,这时就可以部署IteratorAggregate界面。它规定了一个getIterator()方法,返回一个使用Iterator界面的object。

还是以上一节的Article类为例:

class Article implements ArrayAccess, IteratorAggregate {

/**
 * Defined by IteratorAggregate interface
 * Returns an iterator for for this object, for use with foreach
 * @return ArrayIterator
 */
 function getIterator() {
   return new ArrayIterator($this);
 }
ログイン後にコピー

使用方法如下:

$A = new Article(&#39;SPL Rocks&#39;,&#39;Joe Bloggs&#39;, &#39;PHP&#39;);

// Loop (getIterator will be called automatically)
echo &#39;Looping with foreach:<div>&#39;;
foreach ( $A as $field => $value ) {
 echo "$field : $value<br>";
}
echo &#39;</div>&#39;;

// Get the size of the iterator (see how many properties are left)
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

class PartyMemberIterator implements SeekableIterator
{
    public function __construct(PartyMember $member)
    {
        // Store $member locally for iteration
    }

    public function seek($index)
    {
        $this->rewind();
        $position = 0;

        while ($position < $index && $this->valid()) {
            $this->next();
            $position++;
        }

        if (!$this->valid()) {
            throw new OutOfBoundsException(&#39;Invalid position&#39;);
        }
    }

    // Implement current(), key(), next(), rewind()
    // and valid() to iterate over data in $member
}

?>
ログイン後にコピー

8. Countable界面

这个界面规定了一个count()方法,返回结果集的数量。

第三部分 SPL Classes

9. SPL的内置类

SPL除了定义一系列Interfaces以外,还提供一系列的内置类,它们对应不同的任务,大大简化了编程。

查看所有的内置类,可以使用下面的代码:

<?php
// a simple foreach() to traverse the SPL class names
foreach(spl_classes() as $key=>$value)
        {
        echo $key.&#39; -&gt; &#39;.$value.&#39;<br />&#39;;
        }
?>
ログイン後にコピー

10. DirectoryIterator类

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

<?php

try{
  /*** class create new DirectoryIterator Object ***/
    foreach ( new DirectoryIterator(&#39;./&#39;) as $Item )
        {
        echo $Item.&#39;<br />&#39;;
        }
    }
/*** if an exception is thrown, catch it here ***/
catch(Exception $e){
    echo &#39;No files Found!<br />&#39;;
}
?>
ログイン後にコピー

查看文件的详细信息:

<table>
<?php

foreach(new DirectoryIterator(&#39;./&#39; ) as $file )
    {
    if( $file->getFilename()  == &#39;foo.txt&#39; )
        {
        echo &#39;<tr><td>getFilename()</td><td> &#39;; var_dump($file->getFilename()); echo &#39;</td></tr>&#39;;
    echo &#39;<tr><td>getBasename()</td><td> &#39;; var_dump($file->getBasename()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isDot()</td><td> &#39;; var_dump($file->isDot()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>__toString()</td><td> &#39;; var_dump($file->__toString()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getPath()</td><td> &#39;; var_dump($file->getPath()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getPathname()</td><td> &#39;; var_dump($file->getPathname()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getPerms()</td><td> &#39;; var_dump($file->getPerms()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getInode()</td><td> &#39;; var_dump($file->getInode()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getSize()</td><td> &#39;; var_dump($file->getSize()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getOwner()</td><td> &#39;; var_dump($file->getOwner()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>$file->getGroup()</td><td> &#39;; var_dump($file->getGroup()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getATime()</td><td> &#39;; var_dump($file->getATime()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getMTime()</td><td> &#39;; var_dump($file->getMTime()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getCTime()</td><td> &#39;; var_dump($file->getCTime()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getType()</td><td> &#39;; var_dump($file->getType()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isWritable()</td><td> &#39;; var_dump($file->isWritable()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isReadable()</td><td> &#39;; var_dump($file->isReadable()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isExecutable(</td><td> &#39;; var_dump($file->isExecutable()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isFile()</td><td> &#39;; var_dump($file->isFile()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isDir()</td><td> &#39;; var_dump($file->isDir()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>isLink()</td><td> &#39;; var_dump($file->isLink()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getFileInfo()</td><td> &#39;; var_dump($file->getFileInfo()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>getPathInfo()</td><td> &#39;; var_dump($file->getPathInfo()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>openFile()</td><td> &#39;; var_dump($file->openFile()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>setFileClass()</td><td> &#39;; var_dump($file->setFileClass()); echo &#39;</td></tr>&#39;;
        echo &#39;<tr><td>setInfoClass()</td><td> &#39;; var_dump($file->setInfoClass()); echo &#39;</td></tr>&#39;;
        }
}
?>
</table>
ログイン後にコピー

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

<?php
/*** create a new iterator object ***/
$it = new DirectoryIterator(&#39;./&#39;);

/*** loop directly over the object ***/
while($it->valid())
    {
    echo $it->key().&#39; -- &#39;.$it->current().&#39;<br />&#39;;
    /*** move to the next iteration ***/
    $it->next();
    }
?>
ログイン後にコピー

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

<?php
/*** create a new iterator object ***/
$it = new DirectoryIterator(&#39;./&#39;);

/*** loop directly over the object ***/
while($it->valid())
        {
        /*** check if value is a directory ***/
        if($it->isDir())
                {
                /*** echo the key and current value ***/
                echo $it->key().&#39; -- &#39;.$it->current().&#39;<br />&#39;;
                }
        /*** move to the next iteration ***/
        $it->next();
        }
?>
ログイン後にコピー

11. ArrayObject类

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

<?php

/*** a simple array ***/
$array = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

/*** create the array object ***/
$arrayObj = new ArrayObject($array);

/*** iterate over the array ***/
for($iterator = $arrayObj->getIterator();
   /*** check if valid ***/
   $iterator->valid();
   /*** move to the next array member ***/
   $iterator->next())
    {
    /*** output the key and current array value ***/
    echo $iterator->key() . &#39; => &#39; . $iterator->current() . &#39;<br />&#39;;
    }
?>
ログイン後にコピー

增加一个元素:

$arrayObj->append(&#39;dingo&#39;);
ログイン後にコピー

对元素排序:

$arrayObj->natcasesort();
ログイン後にコピー

显示元素的数量:

echo $arrayObj->count();
ログイン後にコピー

删除一个元素:

$arrayObj->offsetUnset(5);
ログイン後にコピー

某一个元素是否存在:

 if ($arrayObj->offsetExists(3))
    {
       echo &#39;Offset Exists<br />&#39;;
    }
ログイン後にコピー

更改某个位置的元素值:

$arrayObj->offsetSet(5, "galah");
ログイン後にコピー

显示某个位置的元素值:

echo $arrayObj->offsetGet(4);
ログイン後にコピー

12. ArrayIterator类

这个类实际上是对ArrayObject类的补充,为后者提供遍历功能。

示例如下:

<?php
/*** a simple array ***/
$array = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

try {
    $object = new ArrayIterator($array);
    foreach($object as $key=>$value)
        {
        echo $key.&#39; => &#39;.$value.&#39;<br />&#39;;
        }
    }
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

ArrayIterator类也支持offset类方法和count()方法:

<ul>
<?php
/*** a simple array ***/
$array = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

try {
    $object = new ArrayIterator($array);
    /*** check for the existence of the offset 2 ***/
    if($object->offSetExists(2))
    {
    /*** set the offset of 2 to a new value ***/
    $object->offSetSet(2, &#39;Goanna&#39;);
    }
   /*** unset the kiwi ***/
   foreach($object as $key=>$value)
        {
        /*** check the value of the key ***/
        if($object->offSetGet($key) === &#39;kiwi&#39;)
            {
            /*** unset the current key ***/
            $object->offSetUnset($key);
            }
        echo &#39;<li>&#39;.$key.&#39; - &#39;.$value.&#39;</li>&#39;."\n";
        }
    }
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>
</ul>
ログイン後にコピー

13. RecursiveArrayIterator类和RecursiveIteratorIterator类

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

<?php
$array = array(
    array(&#39;name&#39;=>&#39;butch&#39;, &#39;sex&#39;=>&#39;m&#39;, &#39;breed&#39;=>&#39;boxer&#39;),
    array(&#39;name&#39;=>&#39;fido&#39;, &#39;sex&#39;=>&#39;m&#39;, &#39;breed&#39;=>&#39;doberman&#39;),
    array(&#39;name&#39;=>&#39;girly&#39;,&#39;sex&#39;=>&#39;f&#39;, &#39;breed&#39;=>&#39;poodle&#39;)
);

foreach(new RecursiveIteratorIterator(new RecursiveArrayIterator($array)) as $key=>$value)
    {
    echo $key.&#39; -- &#39;.$value.&#39;<br />&#39;;
    }
?>
ログイン後にコピー

14. FilterIterator类

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

示例如下:

<?php
/*** a simple array ***/
$animals = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;NZ&#39;=>&#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

class CullingIterator extends FilterIterator{

/*** The filteriterator takes  a iterator as param: ***/
public function __construct( Iterator $it ){
  parent::__construct( $it );
}

/*** check if key is numeric ***/
function accept(){
  return is_numeric($this->key());
}

}/*** end of class ***/
$cull = new CullingIterator(new ArrayIterator($animals));

foreach($cull as $key=>$value)
    {
    echo $key.&#39; == &#39;.$value.&#39;<br />&#39;;
    }
?>
ログイン後にコピー

下面是另一个返回质数的例子:

<?php

class PrimeFilter extends FilterIterator{

/*** The filteriterator takes  a iterator as param: ***/
public function __construct(Iterator $it){
  parent::__construct($it);
}

/*** check if current value is prime ***/
function accept(){
if($this->current() % 2 != 1)
    {
    return false;
    }
$d = 3;
$x = sqrt($this->current());
while ($this->current() % $d != 0 && $d < $x)
    {
    $d += 2;
    }
 return (($this->current() % $d == 0 && $this->current() != $d) * 1) == 0 ? true : false;
}

}/*** end of class ***/

/*** an array of numbers ***/
$numbers = range(212345,212456);

/*** create a new FilterIterator object ***/
$primes = new primeFilter(new ArrayIterator($numbers));

foreach($primes as $value)
    {
    echo $value.&#39; is prime.<br />&#39;;
    }
?>
ログイン後にコピー

15. SimpleXMLIterator类

这个类用来遍历xml文件。

示例如下:

<?php

/*** a simple xml tree ***/
 $xmlstring = <<<XML
<?xml version = "1.0" encoding="UTF-8" standalone="yes"?>
<document>
  <animal>
    <category id="26">
      <species>Phascolarctidae</species>
      <type>koala</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="27">
      <species>macropod</species>
      <type>kangaroo</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="28">
      <species>diprotodon</species>
      <type>wombat</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="31">
      <species>macropod</species>
      <type>wallaby</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="21">
      <species>dromaius</species>
      <type>emu</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="22">
      <species>Apteryx</species>
      <type>kiwi</type>
      <name>Troy</name>
    </category>
  </animal>
  <animal>
    <category id="23">
      <species>kingfisher</species>
      <type>kookaburra</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="48">
      <species>monotremes</species>
      <type>platypus</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="4">
      <species>arachnid</species>
      <type>funnel web</type>
      <name>Bruce</name>
      <legs>8</legs>
    </category>
  </animal>
</document>
XML;

/*** a new simpleXML iterator object ***/
try    {
       /*** a new simple xml iterator ***/
       $it = new SimpleXMLIterator($xmlstring);
       /*** a new limitIterator object ***/
       foreach(new RecursiveIteratorIterator($it,1) as $name => $data)
          {
          echo $name.&#39; -- &#39;.$data.&#39;<br />&#39;;
          }
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

new RecursiveIteratorIterator($it,1)表示显示所有包括父元素在内的子元素。

显示某一个特定的元素值,可以这样写:

<?php
try {
    /*** a new simpleXML iterator object ***/
    $sxi =  new SimpleXMLIterator($xmlstring);

    foreach ( $sxi as $node )
        {
        foreach($node as $k=>$v)
            {
            echo $v->species.&#39;<br />&#39;;
            }
        }
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

相对应的while循环写法为:

<?php

try {
$sxe = simplexml_load_string($xmlstring, &#39;SimpleXMLIterator&#39;);

for ($sxe->rewind(); $sxe->valid(); $sxe->next())
    {
    if($sxe->hasChildren())
        {
        foreach($sxe->getChildren() as $element=>$value)
          {
          echo $value->species.&#39;<br />&#39;;
          }
        }
     }
   }
catch(Exception $e)
   {
   echo $e->getMessage();
   }
?>
ログイン後にコピー

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

<?php
try {
    /*** a new simpleXML iterator object ***/
    $sxi =  new SimpleXMLIterator($xmlstring);

    /*** set the xpath ***/
    $foo = $sxi->xpath(&#39;animal/category/species&#39;);

    /*** iterate over the xpath ***/
    foreach ($foo as $k=>$v)
        {
        echo $v.&#39;<br />&#39;;
        }
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

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

<?php

/*** a simple xml tree ***/
 $xmlstring = <<<XML
<?xml version = "1.0" encoding="UTF-8" standalone="yes"?>
<document xmlns:spec="http://example.org/animal-species">
  <animal>
    <category id="26">
      <species>Phascolarctidae</species>
      <spec:name>Speed Hump</spec:name>
      <type>koala</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="27">
      <species>macropod</species>
      <spec:name>Boonga</spec:name>
      <type>kangaroo</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="28">
      <species>diprotodon</species>
      <spec:name>pot holer</spec:name>
      <type>wombat</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="31">
      <species>macropod</species>
      <spec:name>Target</spec:name>
      <type>wallaby</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="21">
      <species>dromaius</species>
      <spec:name>Road Runner</spec:name>
      <type>emu</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="22">
      <species>Apteryx</species>
      <spec:name>Football</spec:name>
      <type>kiwi</type>
      <name>Troy</name>
    </category>
  </animal>
  <animal>
    <category id="23">
      <species>kingfisher</species>
      <spec:name>snaker</spec:name>
      <type>kookaburra</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="48">
      <species>monotremes</species>
      <spec:name>Swamp Rat</spec:name>
      <type>platypus</type>
      <name>Bruce</name>
    </category>
  </animal>
  <animal>
    <category id="4">
      <species>arachnid</species>
      <spec:name>Killer</spec:name>
      <type>funnel web</type>
      <name>Bruce</name>
      <legs>8</legs>
    </category>
  </animal>
</document>
XML;

/*** a new simpleXML iterator object ***/
try {
    /*** a new simpleXML iterator object ***/
    $sxi =  new SimpleXMLIterator($xmlstring);

    $sxi-> registerXPathNamespace(&#39;spec&#39;, &#39;http://www.exampe.org/species-title&#39;);

    /*** set the xpath ***/
    $result = $sxi->xpath(&#39;//spec:name&#39;);

    /*** get all declared namespaces ***/
   foreach($sxi->getDocNamespaces(&#39;animal&#39;) as $ns)
        {
        echo $ns.&#39;<br />&#39;;
        }

    /*** iterate over the xpath ***/
    foreach ($result as $k=>$v)
        {
        echo $v.&#39;<br />&#39;;
        }
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

增加一个节点:

<?php 
 $xmlstring = <<<XML
<?xml version = "1.0" encoding="UTF-8" standalone="yes"?>
<document>
  <animal>koala</animal>
  <animal>kangaroo</animal>
  <animal>wombat</animal>
  <animal>wallaby</animal>
  <animal>emu</animal>
  <animal>kiwi</animal>
  <animal>kookaburra</animal>
  <animal>platypus</animal>
  <animal>funnel web</animal>
</document>
XML;

try {
    /*** a new simpleXML iterator object ***/
    $sxi =  new SimpleXMLIterator($xmlstring);

    /*** add a child ***/
    $sxi->addChild(&#39;animal&#39;, &#39;Tiger&#39;);

    /*** a new simpleXML iterator object ***/
    $new = new SimpleXmlIterator($sxi->saveXML());

    /*** iterate over the new tree ***/
    foreach($new as $val)
        {
        echo $val.&#39;<br />&#39;;
        }
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

增加属性:

<?php 
$xmlstring =<<<XML
<?xml version = "1.0" encoding="UTF-8" standalone="yes"?>
<document>
  <animal>koala</animal>
  <animal>kangaroo</animal>
  <animal>wombat</animal>
  <animal>wallaby</animal>
  <animal>emu</animal>
  <animal>kiwi</animal>
  <animal>kookaburra</animal>
  <animal>platypus</animal>
  <animal>funnel web</animal>
</document>
XML;

try {
    /*** a new simpleXML iterator object ***/
    $sxi =  new SimpleXMLIterator($xmlstring);

    /*** add an attribute with a namespace ***/
    $sxi->addAttribute(&#39;id:att1&#39;, &#39;good things&#39;, &#39;urn::test-foo&#39;);

    /*** add an attribute without a  namespace ***/
    $sxi->addAttribute(&#39;att2&#39;, &#39;no-ns&#39;);

    echo htmlentities($sxi->saveXML());
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

16. CachingIterator类

这个类有一个hasNext()方法,用来判断是否还有下一个元素。

示例如下:

<?php
/*** a simple array ***/
$array = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

try {
    /*** create a new object ***/
    $object = new CachingIterator(new ArrayIterator($array));
    foreach($object as $value)
        {
        echo $value;
        if($object->hasNext())
            {
            echo &#39;,&#39;;
            }
        }
    }
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

17. LimitIterator类

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

示例如下:

<?php
/*** the offset value ***/
$offset = 3;

/*** the limit of records to show ***/
$limit = 2;

$array = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

$it = new LimitIterator(new ArrayIterator($array), $offset, $limit);

foreach($it as $k=>$v)
    {
    echo $it->getPosition().&#39;<br />&#39;;
    }
?>
ログイン後にコピー

另一个例子是:

<?php

/*** a simple array ***/
$array = array(&#39;koala&#39;, &#39;kangaroo&#39;, &#39;wombat&#39;, &#39;wallaby&#39;, &#39;emu&#39;, &#39;kiwi&#39;, &#39;kookaburra&#39;, &#39;platypus&#39;);

$it = new LimitIterator(new ArrayIterator($array));

try
    {
    $it->seek(5);
    echo $it->current();
    }
catch(OutOfBoundsException $e)
    {
    echo $e->getMessage() . "<br />";
    }
?>
ログイン後にコピー

18. SplFileObject类

这个类用来对文本文件进行遍历。

示例如下:

<?php

try{
    // iterate directly over the object
    foreach( new SplFileObject(&quot;/usr/local/apache/logs/access_log&quot;) as $line)
    // and echo each line of the file
    echo $line.&#39;<br />&#39;;
}
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー

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

<?php

try{
    $file = new SplFileObject("/usr/local/apache/logs/access_log");

    $file->seek(3);

    echo $file->current();
        }
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>
ログイン後にコピー


このウェブサイトの声明
この記事の内容はネチズンが自主的に寄稿したものであり、著作権は原著者に帰属します。このサイトは、それに相当する法的責任を負いません。盗作または侵害の疑いのあるコンテンツを見つけた場合は、admin@php.cn までご連絡ください。

ホットAIツール

Undresser.AI Undress

Undresser.AI Undress

リアルなヌード写真を作成する AI 搭載アプリ

AI Clothes Remover

AI Clothes Remover

写真から衣服を削除するオンライン AI ツール。

Undress AI Tool

Undress AI Tool

脱衣画像を無料で

Clothoff.io

Clothoff.io

AI衣類リムーバー

AI Hentai Generator

AI Hentai Generator

AIヘンタイを無料で生成します。

ホットツール

メモ帳++7.3.1

メモ帳++7.3.1

使いやすく無料のコードエディター

SublimeText3 中国語版

SublimeText3 中国語版

中国語版、とても使いやすい

ゼンドスタジオ 13.0.1

ゼンドスタジオ 13.0.1

強力な PHP 統合開発環境

ドリームウィーバー CS6

ドリームウィーバー CS6

ビジュアル Web 開発ツール

SublimeText3 Mac版

SublimeText3 Mac版

神レベルのコード編集ソフト(SublimeText3)

Ubuntu および Debian 用の PHP 8.4 インストールおよびアップグレード ガイド Ubuntu および Debian 用の PHP 8.4 インストールおよびアップグレード ガイド Dec 24, 2024 pm 04:42 PM

PHP 8.4 では、いくつかの新機能、セキュリティの改善、パフォーマンスの改善が行われ、かなりの量の機能の非推奨と削除が行われています。 このガイドでは、Ubuntu、Debian、またはその派生版に PHP 8.4 をインストールする方法、または PHP 8.4 にアップグレードする方法について説明します。

PHP 開発用に Visual Studio Code (VS Code) をセットアップする方法 PHP 開発用に Visual Studio Code (VS Code) をセットアップする方法 Dec 20, 2024 am 11:31 AM

Visual Studio Code (VS Code とも呼ばれる) は、すべての主要なオペレーティング システムで利用できる無料のソース コード エディター (統合開発環境 (IDE)) です。 多くのプログラミング言語の拡張機能の大規模なコレクションを備えた VS Code は、

今まで知らなかったことを後悔している 7 つの PHP 関数 今まで知らなかったことを後悔している 7 つの PHP 関数 Nov 13, 2024 am 09:42 AM

あなたが経験豊富な PHP 開発者であれば、すでにそこにいて、すでにそれを行っていると感じているかもしれません。あなたは、運用を達成するために、かなりの数のアプリケーションを開発し、数百万行のコードをデバッグし、大量のスクリプトを微調整してきました。

PHPでHTML/XMLを解析および処理するにはどうすればよいですか? PHPでHTML/XMLを解析および処理するにはどうすればよいですか? Feb 07, 2025 am 11:57 AM

このチュートリアルでは、PHPを使用してXMLドキュメントを効率的に処理する方法を示しています。 XML(拡張可能なマークアップ言語)は、人間の読みやすさとマシン解析の両方に合わせて設計された多用途のテキストベースのマークアップ言語です。一般的にデータストレージに使用されます

JSON Web Tokens(JWT)とPHP APIでのユースケースを説明してください。 JSON Web Tokens(JWT)とPHP APIでのユースケースを説明してください。 Apr 05, 2025 am 12:04 AM

JWTは、JSONに基づくオープン標準であり、主にアイデンティティ認証と情報交換のために、当事者間で情報を安全に送信するために使用されます。 1。JWTは、ヘッダー、ペイロード、署名の3つの部分で構成されています。 2。JWTの実用的な原則には、JWTの生成、JWTの検証、ペイロードの解析という3つのステップが含まれます。 3. PHPでの認証にJWTを使用する場合、JWTを生成および検証でき、ユーザーの役割と許可情報を高度な使用に含めることができます。 4.一般的なエラーには、署名検証障害、トークンの有効期限、およびペイロードが大きくなります。デバッグスキルには、デバッグツールの使用とロギングが含まれます。 5.パフォーマンスの最適化とベストプラクティスには、適切な署名アルゴリズムの使用、有効期間を合理的に設定することが含まれます。

母音を文字列にカウントするPHPプログラム 母音を文字列にカウントするPHPプログラム Feb 07, 2025 pm 12:12 PM

文字列は、文字、数字、シンボルを含む一連の文字です。このチュートリアルでは、さまざまな方法を使用してPHPの特定の文字列内の母音の数を計算する方法を学びます。英語の母音は、a、e、i、o、u、そしてそれらは大文字または小文字である可能性があります。 母音とは何ですか? 母音は、特定の発音を表すアルファベットのある文字です。大文字と小文字など、英語には5つの母音があります。 a、e、i、o、u 例1 入力:string = "tutorialspoint" 出力:6 説明する 文字列「TutorialSpoint」の母音は、u、o、i、a、o、iです。合計で6元があります

PHPでの後期静的結合を説明します(静的::)。 PHPでの後期静的結合を説明します(静的::)。 Apr 03, 2025 am 12:04 AM

静的結合(静的::) PHPで後期静的結合(LSB)を実装し、クラスを定義するのではなく、静的コンテキストで呼び出しクラスを参照できるようにします。 1)解析プロセスは実行時に実行されます。2)継承関係のコールクラスを検索します。3)パフォーマンスオーバーヘッドをもたらす可能性があります。

PHPマジックメソッド(__construct、__destruct、__call、__get、__setなど)とは何ですか? PHPマジックメソッド(__construct、__destruct、__call、__get、__setなど)とは何ですか? Apr 03, 2025 am 12:03 AM

PHPの魔法の方法は何ですか? PHPの魔法の方法には次のものが含まれます。1。\ _ \ _コンストラクト、オブジェクトの初期化に使用されます。 2。\ _ \ _リソースのクリーンアップに使用される破壊。 3。\ _ \ _呼び出し、存在しないメソッド呼び出しを処理します。 4。\ _ \ _ get、dynamic属性アクセスを実装します。 5。\ _ \ _セット、動的属性設定を実装します。これらの方法は、特定の状況で自動的に呼び出され、コードの柔軟性と効率を向上させます。

See all articles