我有一个动态生成的文件名数组,让我们说它看起来像这样:
$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"));
另一种方式,using array_keys and 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函数中有多个搜索值吗?
答案 0 :(得分:26)
您应该只使用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上浏览功能列表边栏。只需阅读功能名称即可获得丰厚的回报。
答案 1 :(得分:1)
使用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);
它比你自己的函数和循环更好。
答案 2 :(得分:0)
还有另一种方式,可以从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()