有什么便捷的方法,让我来连接两个学说ArrayCollection()
就像是:
$collection1 = new ArrayCollection();
$collection2 = new ArrayCollection();
$collection1->add($obj1);
$collection1->add($obj2);
$collection1->add($obj3);
$collection2->add($obj4);
$collection2->add($obj5);
$collection2->add($obj6);
$collection1->concat($collection2);
// $collection1 now contains {$obj1, $obj2, $obj3, $obj4, $obj5, $obj6 }
我只是想知道,如果我能救我遍历第二收集,并通过一个添加的每个元素之一,第1集。
谢谢!
更好地为我(和工作)的变体:
$collection3 = new ArrayCollection(
array_merge($collection1->toArray(), $collection2->toArray())
);
你可以简单地做:
$a = new ArrayCollection();
$b = new ArrayCollection();
...
$c = new ArrayCollection(array_merge((array) $a, (array) $b));
如果您需要防止任何重复,这个片段可能的帮助。 它采用与PHP5.6使用量的可变参数函数的参数。
/**
* @param array... $arrayCollections
* @return ArrayCollection
*/
public function merge(...$arrayCollections)
{
$returnCollection = new ArrayCollection();
/**
* @var ArrayCollection $arrayCollection
*/
foreach ($arrayCollections as $arrayCollection) {
if ($returnCollection->count() === 0) {
$returnCollection = $arrayCollection;
} else {
$arrayCollection->map(function ($element) use (&$returnCollection) {
if (!$returnCollection->contains($element)) {
$returnCollection->add($element);
}
});
}
}
return $returnCollection;
}
可能在某些情况下派上用场。
$newCollection = new ArrayCollection((array)$collection1->toArray() + $collection2->toArray());
这应该是快于array_merge
。 从重复键名$collection1
时相同的键名出现在保持$collection2
。 无论实际值是什么
你仍然需要遍历集合到一个数组的内容添加到另一个。 由于ArrayCollection的是包装类,你可以尝试合并元素,同时保持键,在$数组键collection2覆盖使用下面的辅助功能,在$ collection1任何现有键的排列:
$combined = new ArrayCollection(array_merge_maintain_keys($collection1->toArray(), $collection2->toArray()));
/**
* Merge the arrays passed to the function and keep the keys intact.
* If two keys overlap then it is the last added key that takes precedence.
*
* @return Array the merged array
*/
function array_merge_maintain_keys() {
$args = func_get_args();
$result = array();
foreach ( $args as &$array ) {
foreach ( $array as $key => &$value ) {
$result[$key] = $value;
}
}
return $result;
}
基于尤里Pliashkou的评论:
function addCollectionToArray( $array , $collection ) {
$temp = $collection->toArray();
if ( count( $array ) > 0 ) {
if ( count( $temp ) > 0 ) {
$result = array_merge( $array , $temp );
} else {
$result = $array;
}
} else {
if ( count( $temp ) > 0 ) {
$result = $temp;
} else {
$result = array();
}
}
return $result;
}
也许你喜欢它......也许不是......我只是想万一有人需要它把它扔在那里的。
使用PHP5 Clousures> 5.3.0
$a = ArrayCollection(array(1,2,3));
$b = ArrayCollection(array(4,5,6));
$b->forAll(function($key,$value) use ($a){ $a[]=$value;return true;});
echo $a.toArray();
array (size=6) 0 => int 1 1 => int 2 2 => int 3 3 => int 4 4 => int 5 5 => int 6