0

我已经尝试了这两种方法来从该数组中删除 0 值,但无济于事

foreach ($matches as $array_key=>$array_item)
{
  if($matches[$array_key] == 0)
  {
    unset($matches[$array_key]);
  }
}

var_dump ($matches[$array_key]);

和这个

$matches_without_nulls = array_filter($matches);
print_r($matches_without_nulls[1]);

但是,我不断得到的字符串是这个

{ [0] => string(7) "2337667" [1] => string(7) "2335765" [2] => string(7) "2332651" [3] => string(7) "2328582" [4] => string(1) "0" [5] => string(1) "0" [6] => string(1) "0" [7] => string(1) "0" }

对正在发生的事情有任何想法吗?

4

6 回答 6

3

尝试改变:

if($matches[$array_key] == 0)

if($matches[$array_key] == "0")
于 2013-01-08T12:05:20.550 回答
3

您的数组不包含0(整数),它包含"0"(字符串):

if($matches[$array_key] == "0")

那会成功的。

PS:你为什么打印出一个不存在的值$matches[$array_key]?它已取消设置,因此NULL已提供。使用var_dump ($matches);.


我刚试过这个,它工作得很好:

$matches = array (
        "2337667",
        "2335765",
        "2332651",
        "2328582",
        "0",
        "0",
        "0",
        "0"
    );

foreach ( $matches as $array_key => $array_item ) {
    if( $matches[$array_key] == "0") {
        unset($matches[$array_key]);
    }
}

var_dump ($matches);

//output

array(4) {
    [0]=> string(7) "2337667"
    [1]=> string(7) "2335765"
    [2]=> string(7) "2332651"
    [3]=> string(7) "2328582"
}
于 2013-01-08T12:05:39.617 回答
3

您的原始代码实际上是删除所有0条目以及其他字符串。您最好为此使用array_filter函数。

array_filter($matches, function($e){return $e!=0;});

只有没有回调的 array_filter 也有效。我不知道为什么它对你不起作用。

于 2013-01-08T12:07:40.940 回答
2

您可以使用array_filter()函数。点击以下网址

http://php.net/manual/en/function.array-filter.php

于 2013-01-08T12:06:30.517 回答
0

大家好,我感谢 Dainis Abols,因为他帮助我解决了问题

问题是多重索引;这是工作解决方案

foreach($matches[1] as $array_key=>$array_item)
{
  if($matches[1][$array_key] == "0")
  {
    unset($matches[1][$array_key]);
  }
} 
var_dump ($matches[1])

;

于 2013-01-08T12:24:39.597 回答
0

比较值而不是使用键

foreach($matches as $array_key=>$array_item)
{
     if( $array_item == 0 ) // if($matches[$array_key] == 0)
     {
          unset($matches[$array_key]);
     }
}
var_dump ($matches);

或者

您也可以尝试以下方法

foreach($matches as $array_key=>$array_item)
{
     if( !$array_item ) // if $array_item is below, it will get in the loop and excute your code.
     {
          unset($matches[$array_key]);
     }
}
var_dump ($matches);
于 2013-01-08T12:07:57.170 回答