3

如果我在一个数组上循环,而在其中一个循环的中间我发现了一些小问题,改变……某事……,需要再试一次……有没有办法跳回循环的顶部而不从数组中获取下一个值?

我怀疑这是否存在,但它会是一些关键字,如continueor break。事实上,它很像continue,除了它没有获取下一项,它保持它在内存中的内容。

如果什么都不存在,我可以在数组中插入一些东西,使其成为循环中的下一个键/值吗?

也许这会更容易一段时间(array_shift())......

或者我想循环内的递归函数可能会起作用。

好吧,当我输入这个问题时,我的问题正在演变,所以请查看这个伪代码:

foreach($storage_locations as $storage_location) {
    switch($storage_location){
        case 'cookie':
            if(headers_sent()) {
                // cannot store in cookie, failover to session
                // what can i do here to run the code in the next case?
                // append 'session' to $storage_locations?
                // that would make it run, but other items in the array would run first... how can i get it next?
            } else {
                set_cookie();
                return;
            }
        break;

        case 'session':
            set_session();
            return;
        break;
    }
}

我确定没有关键字可以更改在交换机中途测试的值...那么我应该如何重构此代码以进行故障转移?

4

1 回答 1

17

不是使用 a foreach,而是使用更多手动数组迭代:

while (list($key, $value) = each($array)) {
    if (...) {
        reset($array); // start again
    }
}

http://php.net/each
http://php.net/reset

不过,似乎一个简单的失败就可以解决问题:

switch ($storage_location) {
    case 'cookie':
        if (!headers_sent()) {
            set_cookie();
            break;
        }

        // falls through to next case

    case 'session':
于 2012-11-14T15:50:07.430 回答