函式名稱:Iterator::current()
函式描述:返回迭代器中當前指向的元素的值。
適用版本:PHP 5, PHP 7
用法:
mixed Iterator::current ( void )
引數: 該函式沒有引數。
返回值: 返回當前迭代器指向的元素的值。如果沒有更多元素可供迭代,則返回 false。
示例:
class MyIterator implements Iterator {
private $position = 0;
private $array = array(
"first element",
"second element",
"third element",
);
public function rewind() {
$this->position = 0;
}
public function current() {
return $this->array[$this->position];
}
public function key() {
return $this->position;
}
public function next() {
++$this->position;
}
public function valid() {
return isset($this->array[$this->position]);
}
}
$it = new MyIterator;
$it->rewind();
while ($it->valid()) {
echo $it->current() . "\n";
$it->next();
}
輸出:
first element
second element
third element
在這個示例中,我們建立了一個實現了 Iterator 介面的自定義迭代器類 MyIterator。該類中的 current() 方法返回當前位置的元素的值。我們使用該自定義迭代器來遍歷一個包含三個元素的陣列,並輸出每個元素的值。