我有两个长度相同的数组($search_type, $search_term)
。我希望删除任何重复项,即具有相同类型和搜索项的搜索(即$search_type[$a] == $search_type[$b] && $search_term[$a] == $search_term[$b]
)。
我知道我可以使用循环编写这个,想知道是否有更简单(但同样有效)的方式利用内置函数?
答案 0 :(得分:0)
尝试array_intersect(),它将接受两个数组并返回一个数组,其中数组A中的值存在于数组B中。或者array_diff()执行相反的操作并返回A中所有值的数组在B中不存在。
答案 1 :(得分:0)
好的,这是一个过于复杂的临时function foo()
(缺少错误处理,文档和测试),它结合了这两个数组。 array_unique()处理重复项。
<?php
$search_term = array('termA', 'termB', 'foo'=>'termC', 'bar'=>'termD', 'termB', 'termA');
$search_type= array('typeA', 'typeB', 'foo'=>'typeC', 'bar'=>'typeD', 'typeB', 'typeA');
$x = foo(array('term', $search_term), array('type', $search_type));
$x = array_unique($x, SORT_REGULAR);
var_dump($x);
function foo() {
$rv = array();
$params = func_get_args();
foreach ( array_keys($params[0][1]) as $key ) {
$rv[$key] = array();
foreach( $params as $p ) {
$rv[$key][$p[0]] = $p[1][$key];
}
}
return $rv;
}
打印
array(4) {
[0]=>
array(2) {
["term"]=>
string(5) "termA"
["type"]=>
string(5) "typeA"
}
[1]=>
array(2) {
["term"]=>
string(5) "termB"
["type"]=>
string(5) "typeB"
}
["foo"]=>
array(2) {
["term"]=>
string(5) "termC"
["type"]=>
string(5) "typeC"
}
["bar"]=>
array(2) {
["term"]=>
string(5) "termD"
["type"]=>
string(5) "typeD"
}
}
答案 2 :(得分:0)
看起来似乎没有一种简单的方法可以使用内置函数来解决问题。
这(至少在逻辑上)应该有用。
$search_terms = array('a', 'b', 'c', 'c', 'd', 'd');
$search_types = array( 1, 2, 3, 4, 5, 5);
$terms = array_fill_keys($search_terms, array());
// Loop through them once and make an array of types for each term
foreach ($search_terms as $i => $term)
$terms[$term][] = $search_types[$i];
// Now we have $terms = array('a' => array(1),
// 'b' => array(2),
// 'c' => array(3, 4),
// 'd' => array(5, 5)
// );
// Now run through the array again and get rid of duplicates.
foreach ($terms as $i => $types)
$terms[$i] = array_unique($types);
编辑:这是一个更短的,可能更高效的一个,你最终得到一个不太漂亮的阵列:
$search_terms = array('a', 'b', 'c', 'c', 'd', 'd');
$search_types = array( 1, 2, 3, 4, 5, 5);
$terms = array_fill_keys($search_terms, array());
// Loop through them once and make an array of types for each term
foreach ($search_terms as $i => $term)
$terms[$term][$search_types[$i]] = 1;
// Now we have $terms = array('a' => array(1 => 1),
// 'b' => array(2 => 1),
// 'c' => array(3 => 1, 4 => 1),
// 'd' => array(5 => 1)
// );