SeekableIterator 接口

(PHP 5 >= 5.1.0, PHP 7, PHP 8)

简介

可寻址迭代器。

接口概要

interface SeekableIterator extends Iterator {
/* 方法 */
public seek(int $offset): void
/* 继承的方法 */
}

示例

示例 #1 基本用法

此示例演示如何创建自定义的 SeekableIterator,寻址到某个位置,以及处理无效的位置。

<?php
class MySeekableIterator implements SeekableIterator {

private
$position;

private
$array = array(
"first element",
"second element",
"third element",
"fourth element"
);

/* SeekableIterator 接口所需方法 */

public function seek($position) {
if (!isset(
$this->array[$position])) {
throw new
OutOfBoundsException("invalid seek position ($position)");
}

$this->position = $position;
}

/* Iterator 接口所需方法 */

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]);
}
}

try {

$it = new MySeekableIterator;
echo
$it->current(), "\n";

$it->seek(2);
echo
$it->current(), "\n";

$it->seek(1);
echo
$it->current(), "\n";

$it->seek(10);

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

上面的示例将输出类似于以下内容

first element
third element
second element
invalid seek position (10)

目录

添加笔记

用户贡献笔记 6 个笔记

svenr at selfhtml dot org
12 年前
最佳方法

<?php

if ($object instanceof SeekableIterator) {
echo
"\$object has method seek()";
}

?>

请使用检查特定接口是否已实现的方法,以确保您正在处理的对象确实具有您将要使用的方法。

这也适用于类型提示

<?php

class foo {
public function
doSomeSeeking(SeekableIterator $seekMe) {
$seekMe->seek(10); // 将起作用,否则类型提示会触发报错
}
}

?>
info at ensostudio dot ru
2 年前
注意:SeekableIterator::seek() 的 $offset 参数是列表中的位置,而不是数组键。
<?php
$iterator
= new ArrayIterator([1 => "apple", 2 => "banana", 3 => "cherry"]);
echo
$iterator->offsetGet(2); // banana
$iterator->seek(2);
echo
$iterator->current(); // cherry
?>
info at ensostudio dot ru
3 年前
注意:使用 array_key_exists 而不是 isset!
<?php
public function seek($position)
{
$position = (int) $position;
if (!
array_key_exists($position, array_values($this->array))) {
throw new
OutOfBoundsException('无效的搜索位置: ' . $position);
}
$this->position = $position;
}
?>
匿名
10 年前
上面的代码缺少一个闭合的括号。

<?php
if (!isset($this->array[$position]) {
throw new
OutOfBoundsException("无效的搜索位置 ($position)");
}
?>

应该是

<?php
if (!isset($this->array[$position])) { // 这里闭合
throw new OutOfBoundsException("无效的搜索位置 ($position)");
}
?>
martin at smasty dot net
13 年前
反射方法

<?php

$reflection
= new ReflectionClass('MySeekableIterator');
if(
$reflection->hasMethod('seek'))
echo
"该类有 seek() 方法.";

?>
marcin dot kleczek at gmail dot com
14 年前
更好的方法

<?php
$class
= 'SeekableIterator';
$findingMethod = 'seek'; // 必须是小写字母

$methods = get_class_methods($class);

foreach(
$methods as $pVal )
if (
$findingMethod == strtolower($pVal) ) {
echo
'该类有 seek() 方法.';
break;
}

}

?>

最佳方法: https://php.net/manual/en/function.method-exists.php
To Top