PHP Function Reference

PHP array_diff_uassoc() Function



The PHP array_diff_uassoc() function compares keys and values of an array against one or more other arrays and returns all elements of the first array which are not present in any of the other arrays. This function compares keys using a user-defined comparison function.

Unlike array_diff() function, it uses array keys also for comparison. Unlike array_diff_assoc(), this function uses a user-defined function to compare keys.

Syntax

array_diff_uassoc(array, arrays, myfunction)

Parameters

array Required. Specify an array to compare from.
arrays Required. Specify one or more arrays to compare against.
myfunction Required. Specify user-defined function to compare keys. The comparison function must return an integer <, =, or > than 0 if the first argument is <, =, or > than the second argument.

Return Value

Returns an array containing all the entries from array which are not present in any of the other arrays.

Exceptions

NA.

Example:

The example below shows the usage of array_diff_uassoc() function.

<?php
function MyFunc($x, $y) {
  if ($x == $y) 
    return 0;
  return ($x < $y)? -1: 1;
}

$Arr1 = array(0, 1, 2, 3);
$Arr2 = array('00', '01', 2, 3);

//comparing Arr1 against Arr2
$Arr1_diff_Arr2 = 
    array_diff_uassoc($Arr1, $Arr2, 'MyFunc');
print_r($Arr1_diff_Arr2);
?>

The output of the above code will be:

Array
(
    [0] => 0
    [1] => 1
)

Example:

Consider one more example which illustrates on usage of array_diff_uassoc() function.

<?php
function MyFunc($x, $y) {
  if ($x == $y) 
    return 0;
  return ($x < $y)? -1: 1;
}

$Arr1 = array("a"=>"Red", 
              "b"=>"Blue",
              "c"=>"Green");
$Arr2 = array("a"=>"Red", "Blue", "Green");

//comparing Arr1 against Arr2
$Arr1_diff_Arr2 = 
    array_diff_uassoc($Arr1, $Arr2, 'MyFunc');
print_r($Arr1_diff_Arr2);
?>

The output of the above code will be:

Array
(
    [b] => Blue
    [c] => Green
)

❮ PHP Array Reference