3

我正在处理一个实现ArrayAccess AND Iterator的类(比方说$a),并且在使用 a 循环遍历它时foreach,我想删除/取消设置一些元素(基于某些if条件)。

foreach($a as $item) {
    if(mustBeRemoved()) {
        $a->remove($item);
    }
}

现在,我的实现中的问题是,这会在foreach循环中引发意外行为,导致它不会意识到更改,并且无论删除(或添加)元素都会继续运行和过早停止。

有没有很好/优雅的方法来解决这个问题?

4

3 回答 3

1

当我实现一个实现 Iterator 和 ArrayAccess 用于测试目的的类时,我没有遇到您的问题:

<?php
class a implements Iterator, ArrayAccess {
    public $items = array();
    private $index = 0;

    public function current() {
        return $this->items[$this->index];
    }

    public function key() {
        return $this->index;
    }

    public function next() {
        ++$this->index;
    }

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

    public function valid() {
        return array_key_exists($this->index, $this->items);
    }

    public function offsetExists($offset) {
        return array_key_exists($offset, $this->items);
    }

    public function offsetGet($offset) {
        return $this->items[$offset];
    }

    public function offsetSet($offset, $value) {
        $this->items[$offset] = $value;
    }

    public function offsetUnset($offset) {
        unset($this->items[$offset]);
    }

    public function remove($item) {
        foreach($this->items as $index => $itemsItem) {
            if( $itemsItem == $item) {
                unset($this->items[$index]);
                break;
            }
        }
    }
}

$a = new a();
array_map(array($a, 'offsetSet'), range(0, 100), range(0, 100));

foreach($a as $item) {
    if( $item % 2 === 0 ) {
        $a->remove($item);
    }
}

var_dump($a->items);

如果您实现了迭代器,请对其进行更改,以确保在调用“下一个”和“当前”时删除一个项目不会使“a”实例返回不同的项目。

否则,你可以试试这个:

$mustBeRemoved = array();
foreach($a as $item) {
    if(mustBeRemoved()) {
        $mustBeRemoved []= $item;
    }
}
foreach($mustBeRemoved as $item) {
    $a->remove($item);
}
unset($mustBeRemoved);
于 2014-10-22T14:09:42.780 回答
0

迭代时还使用元素的键:

foreach($a as $key => $value) {
  if(mustBeRemoved()) {
    unset($a[$key]);
  }
}
于 2014-10-21T12:12:08.447 回答
-1

只是一个直截了当的方法:

$tmp = array();
foreach($a as $item) {
    if(!mustBeRemoved()) {
        $tmp[] = $item;
    }
}
$a = tmp;

收集所有不应删除的项目并简单地创建一个新数组。最后将临时数组分配给您的旧数组。

于 2014-10-21T12:05:59.263 回答