国产xxxx99真实实拍_久久不雅视频_高清韩国a级特黄毛片_嗯老师别我我受不了了小说

資訊專欄INFORMATION COLUMN

PHP SPL 筆記

hoohack / 1005人閱讀

摘要:界面包含四個必須部署的方法下面就是一個部署界面的實例使用方法如下運行結果如下可以看到,雖然是一個,但是完全可以像那樣操作。示例如下類也支持類方法和方法類和類類和類,只支持遍歷一維數組。

這幾天,我在學習PHP語言中的SPL。

這個東西應該屬于PHP中的高級內容,看上去很復雜,但是非常有用,所以我做了長篇筆記。不然記不住,以后要用的時候,還是要從頭學起。

由于這是供自己參考的筆記,不是教程,所以寫得比較簡單,沒有多解釋。但是我想,如果你是一個熟練的PHP5程序員,應該足以看懂下面的材料,而且會發現它很有用。現在除此之外,網上根本沒有任何深入的SPL中文介紹。

===============================

第一部 簡介 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。通俗地說,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"
$dh = opendir("/home/harryf/files");

// Iterate over the structure
while ( $file = readdir($dh) ) {
   // do stuff with the file 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."
"; }

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

// Display the keys as well
foreach ( $colors as $key => $color ) {
 echo "$key: $color
"; }

除了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"s key e.g. $A["title"] = "foo";
 * @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"s key e.g. echo $A["title"];
 * @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"s key e.g. unset($A["title"]);
 * @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"s key e.g. isset($A["title"])
 * @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("SPL Rocks","Joe Bloggs", "PHP");

// Check what it looks like
echo "Initial State:
"; print_r($A); echo "
"; // Change the title using array syntax $A["title"] = "SPL _really_ rocks"; // Try setting a non existent property (ignored) $A["not found"] = 1; // Unset the author field unset($A["author"]); // Check what it looks like again echo "Final State:
"; print_r($A); echo "
";

運行結果如下:

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("SPL Rocks","Joe Bloggs", "PHP");

// Loop (getIterator will be called automatically)
echo "Looping with foreach:
"; foreach ( $A as $field => $value ) { echo "$field : $value
"; } echo "
"; // 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。

下面是一個是實例:

rewind();
        $position = 0;

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

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

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

?>
8、Countable 接口

這個接口規定了一個count()方法,返回結果集的數量。

第三部分 SPL Classes 9、SPL的內置類
SPL除了定義一系列Interfaces以外,還提供一系列的內置類,它們對應不同的任務,大大簡化了編程。

查看所有的內置類,可以使用下面的代碼:

$value)
        {
        echo $key." -> ".$value."
"; } ?>
10、 DirectoryIterator類

這個類用來查看一個目錄中的所有文件和子目錄:

";
        }
    }
/*** if an exception is thrown, catch it here ***/
catch(Exception $e){
    echo "No files Found!
"; } ?>

查看文件的詳細信息:

getFilename()  == "foo.txt" )
        {
        echo "";
    echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        echo "";
        }
}
?>
getFilename() "; var_dump($file->getFilename()); echo "
getBasename() "; var_dump($file->getBasename()); echo "
isDot() "; var_dump($file->isDot()); echo "
__toString() "; var_dump($file->__toString()); echo "
getPath() "; var_dump($file->getPath()); echo "
getPathname() "; var_dump($file->getPathname()); echo "
getPerms() "; var_dump($file->getPerms()); echo "
getInode() "; var_dump($file->getInode()); echo "
getSize() "; var_dump($file->getSize()); echo "
getOwner() "; var_dump($file->getOwner()); echo "
$file->getGroup() "; var_dump($file->getGroup()); echo "
getATime() "; var_dump($file->getATime()); echo "
getMTime() "; var_dump($file->getMTime()); echo "
getCTime() "; var_dump($file->getCTime()); echo "
getType() "; var_dump($file->getType()); echo "
isWritable() "; var_dump($file->isWritable()); echo "
isReadable() "; var_dump($file->isReadable()); echo "
isExecutable( "; var_dump($file->isExecutable()); echo "
isFile() "; var_dump($file->isFile()); echo "
isDir() "; var_dump($file->isDir()); echo "
isLink() "; var_dump($file->isLink()); echo "
getFileInfo() "; var_dump($file->getFileInfo()); echo "
getPathInfo() "; var_dump($file->getPathInfo()); echo "
openFile() "; var_dump($file->openFile()); echo "
setFileClass() "; var_dump($file->setFileClass()); echo "
setInfoClass() "; var_dump($file->setInfoClass()); echo "

除了foreach循環外,還可以使用while循環:

valid())
    {
    echo $it->key()." -- ".$it->current()."
"; /*** move to the next iteration ***/ $it->next(); } ?>

如果要過濾所有子目錄,可以在valid()方法中過濾:

valid())
        {
        /*** check if value is a directory ***/
        if($it->isDir())
                {
                /*** echo the key and current value ***/
                echo $it->key()." -- ".$it->current()."
"; } /*** move to the next iteration ***/ $it->next(); } ?>
11、ArrayObject類

這個類可以將Array轉化為object。

getIterator();
   /*** check if valid ***/
   $iterator->valid();
   /*** move to the next array member ***/
   $iterator->next())
    {
    /*** output the key and current array value ***/
    echo $iterator->key() . " => " . $iterator->current() . "
"; } ?>

增加一個元素:

$arrayObj->append("dingo");
12、ArrayIterator類
這個類實際上是對ArrayObject類的補充,為后者提供遍歷功能。

示例如下:

$value)
        {
        echo $key." => ".$value."
"; } } catch (Exception $e) { echo $e->getMessage(); } ?>

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

    offSetExists(2)) { /*** set the offset of 2 to a new value ***/ $object->offSetSet(2, "Goanna"); } /*** unset the kiwi ***/ foreach($object as $key=>$value) { /*** check the value of the key ***/ if($object->offSetGet($key) === "kiwi") { /*** unset the current key ***/ $object->offSetUnset($key); } echo "
  • ".$key." - ".$value."
  • "." "; } } catch (Exception $e) { echo $e->getMessage(); } ?>
13、RecursiveArrayIterator類和RecursiveIteratorIterator類

ArrayIterator類和ArrayObject類,只支持遍歷一維數組。如果要遍歷多維數組,必須先用RecursiveIteratorIterator生成一個Iterator,然后再對這個Iterator使用RecursiveIteratorIterator。

"butch", "sex"=>"m", "breed"=>"boxer"),
    array("name"=>"fido", "sex"=>"m", "breed"=>"doberman"),
    array("name"=>"girly","sex"=>"f", "breed"=>"poodle")
);

foreach(new RecursiveIteratorIterator(new RecursiveArrayIterator($array)) as $key=>$value)
    {
    echo $key." -- ".$value."
"; } ?>
14、 FilterIterator類

FilterIterator類可以對元素進行過濾,只要在accept()方法中設置過濾條件就可以了。

示例如下:

"kiwi", "kookaburra", "platypus");

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." == ".$value."
"; } ?>

下面是另一個返回質數的例子

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." is prime.
"; } ?>
15、SimpleXMLIterator類

這個類用來遍歷xml文件。



  
    
      Phascolarctidae
      koala
      Bruce
    
  
  
    
      macropod
      kangaroo
      Bruce
    
  
  
    
      diprotodon
      wombat
      Bruce
    
  
  
    
      macropod
      wallaby
      Bruce
    
  
  
    
      dromaius
      emu
      Bruce
    
  
  
    
      Apteryx
      kiwi
      Troy
    
  
  
    
      kingfisher
      kookaburra
      Bruce
    
  
  
    
      monotremes
      platypus
      Bruce
    
  
  
    
      arachnid
      funnel web
      Bruce
      8
    
  

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." -- ".$data."
"; } } catch(Exception $e) { echo $e->getMessage(); } ?>

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

顯示某一個特定的元素值,可以這樣寫:

$v)
            {
            echo $v->species."
"; } } } catch(Exception $e) { echo $e->getMessage(); } ?>

相對應的while循環寫法為

rewind(); $sxe->valid(); $sxe->next())
    {
    if($sxe->hasChildren())
        {
        foreach($sxe->getChildren() as $element=>$value)
          {
          echo $value->species."
"; } } } } catch(Exception $e) { echo $e->getMessage(); } ?>

最方便的寫法,還是使用xpath:

xpath("animal/category/species");

    /*** iterate over the xpath ***/
    foreach ($foo as $k=>$v)
        {
        echo $v."
"; } } catch(Exception $e) { echo $e->getMessage(); } ?>

下面的例子,顯示有namespace的情況:



  
    
      Phascolarctidae
      Speed Hump
      koala
      Bruce
    
  
  
    
      macropod
      Boonga
      kangaroo
      Bruce
    
  
  
    
      diprotodon
      pot holer
      wombat
      Bruce
    
  
  
    
      macropod
      Target
      wallaby
      Bruce
    
  
  
    
      dromaius
      Road Runner
      emu
      Bruce
    
  
  
    
      Apteryx
      Football
      kiwi
      Troy
    
  
  
    
      kingfisher
      snaker
      kookaburra
      Bruce
    
  
  
    
      monotremes
      Swamp Rat
      platypus
      Bruce
    
  
  
    
      arachnid
      Killer
      funnel web
      Bruce
      8
    
  

XML;

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

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

    /*** set the xpath ***/
    $result = $sxi->xpath("http://spec:name");

    /*** get all declared namespaces ***/
   foreach($sxi->getDocNamespaces("animal") as $ns)
        {
        echo $ns."
"; } /*** iterate over the xpath ***/ foreach ($result as $k=>$v) { echo $v."
"; } } catch(Exception $e) { echo $e->getMessage(); } ?>

增加一個節點:



  koala
  kangaroo
  wombat
  wallaby
  emu
  kiwi
  kookaburra
  platypus
  funnel web

XML;

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

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

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

    /*** iterate over the new tree ***/
    foreach($new as $val)
        {
        echo $val."
"; } } catch(Exception $e) { echo $e->getMessage(); } ?>

增加屬性:



  koala
  kangaroo
  wombat
  wallaby
  emu
  kiwi
  kookaburra
  platypus
  funnel web

XML;

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

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

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

    echo htmlentities($sxi->saveXML());
    }
catch(Exception $e)
    {
    echo $e->getMessage();
    }
?>
16、CachingIterator類

這個類有一個hasNext()方法,用來判斷是否還有下一個元素。

示例如下:

hasNext())
            {
            echo ",";
            }
        }
    }
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>
17、LimitIterator類

這個類用來限定返回結果集的數量和位置,必須提供offset和limit兩個參數,與SQL命令中limit語句類似。

示例如下:

$v)
    {
    echo $it->getPosition()."
"; } ?>

另一個例子是:

seek(5);
    echo $it->current();
    }
catch(OutOfBoundsException $e)
    {
    echo $e->getMessage() . "
"; } ?>
18、SplFileObject類

這個類用來對文本文件進行遍歷。

示例如下:

";
}
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>

返回文本文件的第三行,可以這樣寫:

seek(3);

    echo $file->current();
        }
catch (Exception $e)
    {
    echo $e->getMessage();
    }
?>

[參考文獻]

Introduction to Standard PHP Library (SPL), By Kevin Waterson

Introducing PHP 5"s Standard Library, By Harry Fuecks

The Standard PHP Library (SPL), By Ben Ramsey

SPL - Standard PHP Library Documentation

文章版權歸作者所有,未經允許請勿轉載,若此文章存在違規行為,您可以聯系管理員刪除。

轉載請注明本文地址:http://specialneedsforspecialkids.com/yun/28303.html

相關文章

  • PHP - Pimple 源碼筆記(上)

    摘要:也就是閑時為了寫文章而寫的一篇關于源碼的閱讀筆記。是標準庫的縮寫,一組旨在解決標準問題的接口和類的集合。提供了一套標準的數據結構,一組遍歷對象的迭代器,一組接口,一組標準的異常,一系列用于處理文件的類,提供了一組函數,具體可以查看文檔。 也就是閑時為了寫文章而寫的一篇關于 Pimple 源碼的閱讀筆記。Pimple 代碼有兩種編碼方式,一種是以 PHP 編寫的,另一種是以 C 擴展編寫...

    cfanr 評論0 收藏0
  • PHP autoload 機制詳解

    摘要:但現在問題來了,如果在一個系統的實現中,如果需要使用很多其它的類庫,這些類庫可能是由不同的開發人員編寫的,其類名與實際的磁盤文件的映射規則不盡相同。 PHP在魔術函數__autoload()方法出現以前,如果你要在一個程序文件中實例化100個對象,那么你必須用include或者require包含進來100個類文件,或者你把這100個類定義在同一個類文件中——相信這個文件一定會非常大。但...

    psychola 評論0 收藏0
  • (轉)詳解spl_autoload_register()函數

    摘要:看到一篇不錯的博文,轉載過來,可以通過這個自動加載函數來理解的類自動加載原理。在了解這個函數之前先來看另一個函數。調用靜態方法另一種寫法小結實例化時會被自動觸發該函數,如果沒有執行的對象時,就會執行該方法。 看到一篇不錯的博文,轉載過來,可以通過這個自動加載函數spl_autoload_register()來理解PHP的類自動加載原理。 在了解這個函數之前先來看另一個函數:__auto...

    xcc3641 評論0 收藏0
  • SPL標準庫專題(1)】SPL簡介

    摘要:什么是是標準庫的縮寫。根據官方定義,它是是用于解決典型問題的一組接口與類的集合。而的對象則嚴格以堆棧的形式描述數據,并提供對應的方法。返回所有已注冊的函數。 什么是SPL SPL是Standard PHP Library(PHP標準庫)的縮寫。 根據官方定義,它是a collection of interfaces and classes that are meant to solve...

    GeekGhc 評論0 收藏0
  • PHP設計模式——觀察者模式

    摘要:設計觀察者模式是為了讓一個對象跟蹤某個狀態,知道狀態何時改變,一旦狀態改變,所有訂閱對象都能得到通知。類與觀察者設計模式沒有內在的關系,不過通過它其內置的和方法可以很方便的將觀察者實例與一個主題實例相關聯以及解除關聯。 前言 知識就是作為觀察者所獲得的結論,經過科學培訓的觀察者會為我們提供所有能感知的現實。設計觀察者模式是為了讓一個對象跟蹤某個狀態,知道狀態何時改變,一旦狀態改變,所有...

    Barrior 評論0 收藏0

發表評論

0條評論

最新活動
閱讀需要支付1元查看
<