I faced the situation that splicing arrays with preserved-keys, so I made the following function.
I reached the solution that wrapping each items with array, but there seems to be some memory-inefficient statements.
Have you any ideas?
Thank you.
array_splice_pk
This preserves keys, differently from array_splice
.
Overview:
&$input
-> same asarray_splice
one.$key
-> target key.$use_key_as_offset
-> use$key
parameter as a numeric offset.$length
-> same asarray_splice
one.$replacement
-> same asarray_splice
one. But you can also provide key for each value.
Code:
function array_splice_pk(&$input, $key, $use_key_as_offset = false, $length = 0, $replacement = null) {
if (!is_array($input) || !is_scalar($key)) {
return array();
}
if ($replacement !== null) {
$replacement = array($replacement);
if (!is_array($replacement[0])) {
$replacement = array($replacement);
}
}
$wrapper = array();
foreach ($input as $k => $v) {
$wrapper[] = array($k => $v);
}
$del_key = null;
foreach ($wrapper as $k => $v) {
if ($use_key_as_offset) {
if ($k === (int)$key) {
$del_key = $k;
break;
}
} else {
if (key($v) == $key) {
$del_key = $k;
break;
}
}
}
if ($del_key === null) {
return array();
}
if ($replacement === null) {
$wrapper_ret = array_splice($wrapper, $del_key, $length);
} else {
$wrapper_ret = array_splice($wrapper, $del_key, $length , $replacement);
}
$ret = $input = array();
foreach ($wrapper_ret as $wrap) {
list($k, $v) = each($wrap);
$ret[$k] = $v;
}
foreach ($wrapper as $wrap) {
list($k ,$v) = each($wrap);
$input[$k] = $v;
}
return $ret;
}
Sample:
$arr1 = $arr2 = array(
'one' => 'test',
'two' => 'test',
'three' => 'test',
'four' => 'test',
);
$ret1 = array_splice_pk($arr1, 'three', false, 1, array('fizz' => '!!!'));
$ret2 = array_splice_pk($arr2, 2 , true , 1, array('fizz' => '!!!'));
var_dump('Result1', $arr1, $ret1, 'Result2', $arr2, $ret2);
Result:
string(7) "Result1"
array(4) {
["one"]=>
string(4) "test"
["two"]=>
string(4) "test"
["fizz"]=>
string(3) "!!!"
["four"]=>
string(4) "test"
}
array(1) {
["three"]=>
string(4) "test"
}
string(7) "Result2"
array(4) {
["one"]=>
string(4) "test"
["two"]=>
string(4) "test"
["fizz"]=>
string(3) "!!!"
["four"]=>
string(4) "test"
}
array(1) {
["three"]=>
string(4) "test"
}
array_splice
does preserve string keys. You're only using string keys. What's wrong witharray_splice
? – Humperdinck$replacement + $original
. If you want to remove keys as well, this should better be done in a separate step. Replacing string keys with other string keys by numeric position seems like a weird operation. – Humperdinck