我经常遇到这样的情况:处理可以是数组或空变量的数据,并将这些数据提供给一些foreach。

$values = get_values();

foreach ($values as $value){
  ...
}

当你给foreach提供不是数组的数据时,你会得到一个警告:

警告:在[…]中为foreach()提供的参数无效

假设不可能重构get_values()函数以总是返回一个数组(向后兼容,没有可用的源代码,无论其他原因),我想知道哪种是避免这些警告的最干净和最有效的方法:

将$值转换为数组 初始化数组的$values 用if包foreach 其他(请建议)


当前回答

就我个人而言,我认为这是最干净的-不确定它是否是最有效的,注意!

if (is_array($values) || is_object($values))
{
    foreach ($values as $value)
    {
        ...
    }
}

我偏爱的原因是,当你没有任何开始时,它不会分配一个空数组。

其他回答

$values = get_values();

foreach ((array) $values as $value){
  ...
}

问题总是空的,铸造实际上是解决方案。

这似乎也与环境有关:

我有“无效参数提供foreach()”错误仅在开发环境中,但不在prod(我在服务器上工作,而不是localhost)。

尽管有错误,但var_dump指示数组在那里(在app和dev两种情况下)。

围绕foreach ($array as $subarray)的if (is_array($array))解决了这个问题。

对不起,我不能解释原因,但我花了一段时间来找出解决方案,我想更好地分享这作为一个观察。

请不要依赖铸造作为解决方案, 尽管其他人认为这是防止错误的有效选择,但它可能会导致另一个错误。

注意:如果您希望返回特定形式的数组,这可能会使您失败。为此需要进行更多的检查。

例如,将一个布尔值强制转换为数组(array)bool,将不会得到一个空数组,而是得到一个包含布尔值为int类型的元素的数组:[0=>0]或[0=>1]。

我编写了一个快速测试来呈现这个问题。 (这里有一个备份测试,以防第一个测试url失败。)

包括测试:null, false, true,类,数组和未定义。


在foreach中使用输入之前一定要测试它。建议:

Quick type checking: $array = is_array($var) or is_object($var) ? $var : [] ; Type hinting arrays in methods before using a foreach and specifying return types Wrapping foreach within if Using try{}catch(){} blocks Designing proper code / testing before production releases To test an array against proper form you could use array_key_exists on a specific key, or test the depth of an array (when it is one !). Always extract your helper methods into the global namespace in a way to reduce duplicate code

如果在每个循环中设置数组为空,则会出现此通知的例外情况

if (is_array($values))
{
    foreach ($values as $value)
    {
        $values = null;//WARNING!!!
    }
}

我通常使用类似这样的结构:

/**
 * Determine if a variable is iterable. i.e. can be used to loop over.
 *
 * @return bool
 */
function is_iterable($var)
{
    return $var !== null 
        && (is_array($var) 
            || $var instanceof Traversable 
            || $var instanceof Iterator 
            || $var instanceof IteratorAggregate
            );
}

$values = get_values();

if (is_iterable($values))
{
    foreach ($values as $value)
    {
        // do stuff...
    }
}

请注意,这个特定的版本没有经过测试,它直接从内存输入到SO中。

编辑:增加可遍历检查