Are there any standard functions in PHP that can merge arrays with matching numeric indexes?

When merging arrays with matching numeric indexes in PHP, the standard `array_merge()` function does not handle this case as expected. To merge arrays with matching numeric indexes, you can use a custom function that iterates over the arrays and merges them based on their keys. This function can check if the keys are numeric and if they match, then merge the values accordingly.

function mergeArraysMatchingNumericIndexes($array1, $array2) {
    $mergedArray = $array1;
    
    foreach($array2 as $key => $value) {
        if(is_numeric($key) && isset($mergedArray[$key])) {
            $mergedArray[$key] += $value;
        } else {
            $mergedArray[$key] = $value;
        }
    }
    
    return $mergedArray;
}

$array1 = [1 => 'apple', 2 => 'banana', 3 => 'cherry'];
$array2 = [1 => 'orange', 2 => 'kiwi', 4 => 'pear'];

$mergedArray = mergeArraysMatchingNumericIndexes($array1, $array2);
print_r($mergedArray);