12

我有一个动态生成的文件名数组,假设它看起来像这样:

$files = array("a-file","b-file","meta-file-1", "meta-file-2", "z-file");

我有几个要从数组中丢弃的特定文件名:

$exclude_file_1 = "meta-file-1";
$exclude_file_2 = "meta-file-2";

所以,我总是知道我想要丢弃的元素的值,但不知道键。

目前我正在寻找几种方法来做到这一点。一种方法,使用 array_filter 和自定义函数:

function excludefiles($v)
        {
        if ($v === $GLOBALS['exclude_file_1'] || $v === $GLOBALS['exclude_file_2'])
          {
          return false;
          }
        return true;
        }

$files = array_values(array_filter($files,"excludefiles"));

另一种方式,使用 array_keys 和 unset

$exclude_files_keys = array(array_search($exclude_file_1,$files),array_search($exclude_file_2,$files));
foreach ($exclude_files_keys as $exclude_files_key)
    {    
    unset($files[$exclude_files_key]);
    }
$files = array_values($page_file_paths);

两种方式都会产生预期的结果。

我只是想知道哪一个会更有效(为什么)?

或者也许还有另一种更有效的方法来做到这一点?

就像也许有一种方法可以在 array_search 函数中有多个搜索值?

4

3 回答 3

32

你应该简单地使用array_diff

$files = array("a-file","b-file","meta-file-1", "meta-file-2", "z-file");
$exclude_file_1 = "meta-file-1";
$exclude_file_2 = "meta-file-2";

$exclude = array($exclude_file_1, $exclude_file_2);
$filtered = array_diff($files, $exclude);

PHP 的坏处之一是它有数以万计的函数来做特定的小事情,但有时这也很方便。

当遇到这样的情况(找到相关功能后找到了解决方案,但不确定是否有更好的解决方案),闲暇时浏览一下php.net上的功能列表侧边栏是个好主意。仅仅阅读函数名称就可以带来巨大的收益。

于 2012-04-10T14:04:13.673 回答
4

使用 array_diff()

$files = array("a-file","b-file","meta-file-1", "meta-file-2", "z-file");
$exclude_file_array = array("meta-file-1", "meta-file-2");

将返回一个数组,其中包含 $exclude_file_array 中不在 $files 中的所有元素。

$new_array = array_diff($files, $exclude_file_array);

它比你自己的函数和循环更好。

于 2012-04-10T14:16:17.053 回答
1

还有另一种从 php 数组中删除多个元素的方法。

而不是遍历整个数组并取消设置其所有键,

您可以使用如下方法销毁多个元素unset()

例子:

$array = array("a-file","b-file","meta-file-1", "meta-file-2", "meta-file-3");

对于单键:

unset($array["meta-file-1"]);

对于一个数组中的多个键:

unset($array["meta-file-1"], $array["meta-file-2"], $array["meta-file-3"] ....) and so on.

unset()详细看

于 2018-11-29T14:13:50.580 回答