I have an array of dynamic length L1. I need to split this array into L2 number of arrays each having LEN[i]
numbers from the original array.
JavaScript
x
EX:
Original:
$array=[1,2,3,4,5,6,7,8,9,10]
Here L1=10
L2=3
$LEN=[3,3,4]
So the 3 arrays will be
$a1=[1,2,3]
$a2=[4,5,6]
$a3=[7,8,9,10]
I have tried a lot of ways but nothing seems to be working. Any help would be greatly appreciated.
Advertisement
Answer
If you need such a variable array length of chunks then you can create your own functionality using simple foreach
and array_splice
like as
JavaScript
$array=[1,2,3,4,5,6,7,8,9,10];
$arr = [3,3,4];
$result_arr = [];
foreach($arr as $k => $v){
$result_arr[$k] = array_splice($array,0,$v);
}
print_R($result_arr);
Output:
JavaScript
Array
(
[0] => Array
(
[0] => 1
[1] => 2
[2] => 3
)
[1] => Array
(
[0] => 4
[1] => 5
[2] => 6
)
[2] => Array
(
[0] => 7
[1] => 8
[2] => 9
[3] => 10
)
)