array_unique

(PHP 4 >= 4.0.1, PHP 5, PHP 7)

array_uniqueУбирает повторяющиеся значения из массива

Описание

array array_unique ( array $array [, int $sort_flags = SORT_STRING ] )

Принимает входной array и возвращает новый массив без повторяющихся значений.

Обратите внимание, что ключи сохранятся. array_unique() сначала сортирует значения как строки, сохраняет первый встреченный ключ для каждого значения и игнорирует все последующие ключи. Это не означает, что первый ключ каждого значения неотсортированного array будет сохранён.

Замечание: Два элемента считаются одинаковыми в том и только в том случае, если (string) $elem1 === (string) $elem2. Другими словами: если у них одинаковое строковое представление, то будет использован первый элемент.

Список параметров

array

Входной массив.

sort_flags

Можно использовать необязательный второй параметр sort_flags для изменения поведения сортировки с помощью следующих значений:

Виды сортировок флагов:

  • SORT_REGULAR - нормальное сравнение элементов (типы не меняются)
  • SORT_NUMERIC - элементы сравниваются как числа
  • SORT_STRING - элементы сравниваются как строки
  • SORT_LOCALE_STRING - сравнивает элементы как строки, с учетом текущей локали.

Возвращаемые значения

Возвращает отфильтрованный массив.

Список изменений

Версия Описание
5.2.10 Значение по умолчанию параметра sort_flags изменено обратно на SORT_STRING.
5.2.9 Добавлен необязательный параметр sort_flags, по умолчанию равный SORT_REGULAR. До версии 5.2.9, это функция сортировала массив с помощью SORT_STRING.

Примеры

Пример #1 Пример использования array_unique()

<?php
$input 
= array("a" => "green""red""b" => "green""blue""red");
$result array_unique($input);
print_r($result);
?>

Результат выполнения данного примера:

Array
(
    [a] => green
    [0] => red
    [1] => blue
)

Пример #2 array_unique() и типы:

<?php
$input 
= array(4"4""3"43"3");
$result array_unique($input);
var_dump($result);
?>

Результат выполнения данного примера:

array(2) {
  [0] => int(4)
  [2] => string(1) "3"
}

Смотрите также

  • array_count_values() - Подсчитывает количество всех значений массива

Примечания

Замечание: Обратите внимание, что array_unique() не предназначена для работы с многомерными массивами.

Коментарии

The following is an efficient, adaptable implementation of array_unique which always retains the first key having a given value:

<?php
function array_unique2(&$aray) {
   
$aHash = array();
    foreach (
$aray as $key => &$val) if (@$aHash[$val]++) unset ($aray[$key]);
}
?>

It is also adaptable to multi dimensional arrays.  For example, if your array is a sequence of (multidimensional) points, then in place of @$aHash[$val]++ you could use @$aHash[implode("X",$val)]++
If you want to not have holes in your array, you can do an array_merge($aray) at the end.

Csaba Gabor
2004-06-09 22:17:00
http://php5.kiev.ua/manual/ru/function.array-unique.html
Problem:
I have loaded an array with the results of a database
query.  The Fields are 'FirstName' and 'LastName'.

I would like to find a way to contactenate the two
fields, and then return only unique values for the
array.  For example, if the database query returns
three instances of a record with the FirstName John
and the LastName Smith in two distinct fields, I would
like to build a new array that would contain all the
original fields, but with John Smith in it only once.
Thanks for: Colin Campbell

Solution:

<?php
/**
 * The same thing than implode function, but return the keys so
 *
 * <code>
 * $_GET = array('id' => '4587','with' => 'key');
 * ...
 * echo shared::implode_with_key('&',$_GET,'='); // Resultado: id=4587&with=key
 * ...
 * </code>
 *
 * @param string $glue Oque colocar entre as chave => valor
 * @param array $pieces Valores
 * @param string $hifen Separar chave da array do valor
 * @return string
 * @author memandeemail at gmail dot com
 */
function implode_with_key($glue null$pieces$hifen ',') {
 
$return null;
  foreach (
$pieces as $tk => $tv$return .= $glue.$tk.$hifen.$tv;
  return 
substr($return,1);
}

/**
 * Return unique values from a tree of values
 *
 * @param array $array_tree
 * @return array
 * @author memandeemail at gmail dot com
 */
function array_unique_tree($array_tree) {
 
$will_return = array(); $vtemp = array();
  foreach (
$array_tree as $tkey => $tvalue$vtemp[$tkey] = implode_with_key('&',$tvalue,'=');
  foreach (
array_keys(array_unique($vtemp)) as $tvalue$will_return[$tvalue] = $array_tree[$tvalue];
  return 
$will_return;
}

$problem array_fill(0,3,
array(
'FirstName' => 'John''LastName' => 'Smith')
);

$problem[] = array('FirstName' => 'Davi''LastName' => 'S. Mesquita');
$problem[] = array('FirstName' => 'John''LastName' => 'Tom');

print_r($problem);

print_r(array_unique_tree($problem));
?>
2006-01-03 12:47:11
http://php5.kiev.ua/manual/ru/function.array-unique.html
This is a script for multi_dimensional arrays

<?php
function remove_dup($matriz) {
   
$aux_ini=array();
   
$entrega=array();
    for(
$n=0;$n<count($matriz);$n++)
    {
       
$aux_ini[]=serialize($matriz[$n]);
    }
   
$mat=array_unique($aux_ini);
    for(
$n=0;$n<count($matriz);$n++)
    {
       
           
$entrega[]=unserialize($mat[$n]);
       
    }
    return 
$entrega;
}
?>
2006-03-31 15:41:43
http://php5.kiev.ua/manual/ru/function.array-unique.html
Taking the advantage of array_unique, here is a simple function to check if an array has duplicate values.

It simply compares the number of elements between the original array and the array_uniqued array.

<?php

function array_has_duplicates(array $array)
{
   
$uniq array_unique($array);
    return 
count($uniq) != count($array);
}

?>
2006-09-30 10:01:18
http://php5.kiev.ua/manual/ru/function.array-unique.html
Here's the shortest line of code I could find/create to remove all duplicate entries from an array and then reindex the keys.

<?php

// Fruits, vegetables, and other food:
$var = array('apple','banana','carrot','cat','dog','egg','eggplant','fish');

$var array_values(array_unique($var));
?>
2006-10-09 13:27:40
http://php5.kiev.ua/manual/ru/function.array-unique.html
Another way to 'unique column' an array, in this case an array of objects: 
Keep the desired unique column values in a static array inside the callback function for array_filter.

Example:
<?php
/* example object */
class myObj {
  public 
$id;
  public 
$value;
  function 
__construct$id$value ) {
   
$this->id $id;
   
$this->value $value;
  }
}

/* callback function */
function uniquecol$obj ) {
  static 
$idlist = array();

  if ( 
in_array$obj->id$idlist ) )
    return 
false;

 
$idlist[] = $obj->id;
  return 
true;   
}

/* a couple of arrays with second array having an element with same id as the first */
$list  = array( new myObj1), new myObj2100 ) );
$list2 = array( new myObj110 ), new myObj3100 ) );
$list3 array_merge$list$list2 );

$unique array_filter$list3'uniquecol' );
print_r$list3 );
print_r$unique );

?>

In addition, use array_merge( $unique ) to reindex.
2007-07-30 07:08:51
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
Case insensitive; will keep first encountered value.

<?php

function array_iunique($array) {
   
$lowered array_map('strtolower'$array);
    return 
array_intersect_key($arrayarray_unique($lowered));
}

?>
2007-10-28 16:18:20
http://php5.kiev.ua/manual/ru/function.array-unique.html
I needed to identify email addresses in a data table that were replicated, so I wrote the array_not_unique() function:

<?php

function array_not_unique($raw_array) {
   
$dupes = array();
   
natcasesort($raw_array);
   
reset ($raw_array);

   
$old_key    NULL;
   
$old_value    NULL;
    foreach (
$raw_array as $key => $value) {
        if (
$value === NULL) { continue; }
        if (
$old_value == $value) {
           
$dupes[$old_key]    = $old_value;
           
$dupes[$key]        = $value;
        }
       
$old_value    $value;
       
$old_key    $key;
    }
return 
$dupes;
}

$raw_array     = array();
$raw_array[1]    = 'abc@xyz.com';
$raw_array[2]    = 'def@xyz.com';
$raw_array[3]    = 'ghi@xyz.com';
$raw_array[4]    = 'abc@xyz.com'// Duplicate

$common_stuff    array_not_unique($raw_array);
var_dump($common_stuff);
?>
2008-03-01 21:46:09
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
Case insensitive for PHP v4.x and up.

<?php

function in_iarray($str$a) {
    foreach (
$a as $v) {
        if (
strcasecmp($str$v) == 0) {
            return 
true;
        }
    }
    return 
false;
}

function 
array_iunique($a) {
   
$n = array();
    foreach (
$a as $k => $v) {
        if (!
in_iarray($v$n)) {
           
$n[$k]=$v;
        }
    }
    return 
$n;
}

$input = array("aAa","bBb","cCc","AaA","ccC","ccc","CCC","bBB","AAA","XXX");
$result array_iunique($input);
print_r($result);

/*
Array
(
    [0] => aAa
    [1] => bBb
    [2] => cCc
    [9] => XXX
)
*/
?>
2008-04-14 08:34:19
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
I had a problem with array_unique and multidimensional arrays ... Maybe there's a better way to do this, but this will work for any dimensional arrays.

<?php
function arrayUnique($myArray)
{
    if(!
is_array($myArray))
           return 
$myArray;

    foreach (
$myArray as &$myvalue){
       
$myvalue=serialize($myvalue);
    }

   
$myArray=array_unique($myArray);

    foreach (
$myArray as &$myvalue){
       
$myvalue=unserialize($myvalue);
    }

    return 
$myArray;

}
?>
2008-07-28 12:47:20
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
another method to get unique values is :

<?php
$alpha
=array('a','b','c','a','b','d','e','f','f');

$alphaarray_keys(array_count_values($alpha));

print_r($alpha);
?>

Output:
Array ( [0] => a [1] => b [2] => c [3] => d [4] => e [5] => f )
2008-08-26 01:30:05
http://php5.kiev.ua/manual/ru/function.array-unique.html
so .... my problem was multidimensional sort.

<?php
      $new 
= array();
     
$exclude = array(""); 
      for (
$i 0$i<=count($attribs)-1$i++) {
         if (!
in_array(trim($attribs[$i]["price"]) ,$exclude)) { $new[] = $attribs[$i]; $exclude[] = trim($attribs[$i]["price"]); }
      }

?>

Array $attribs is an array contaning arrays. Each array in the $attrib array consists in multiple fields (ex: name, lenght, price, etc.) to be more simpler in speech think that $attrib is the array resulted by a search sql query done by a visitator on your online shoopping website ... (so ... each array in the $attrib is a product :P) if you want to sort only the uniq results use the above or use this:

<?php
 
   
/* Our Array of products */
   
$attribs[] = array(
                           
"name"         => "Test Product 1",
                           
"length"     => "42 cm",
                           
"weight"     => "0,5 kg",
                           
"price"     => "10 $",
                           
"stock"     => "100",
                        );

   
$attribs[] = array(
                           
"name"         => "Test Product 2",
                           
"length"     => "42 cm",
                           
"weight"     => "1,5 kg",
                           
"price"     => "10 $",
                           
"stock"     => "200",
                        );

   
/* The nice stuff */

     
$new = array();
     
$exclude = array(""); 
      for (
$i 0$i<=count($attribs)-1$i++) {
         if (!
in_array(trim($attribs[$i]["price"]) ,$exclude)) { $new[] = $attribs[$i]; $exclude[] = trim($attribs[$i]["price"]); }
      }
     
     
print_r($new); // $new is our sorted array

?>

Have fun tweaking this ;)) i know you will ;))

From Romania With Love
2008-11-06 04:23:04
http://php5.kiev.ua/manual/ru/function.array-unique.html
Although array_unique is not intended to work with multi-dimensional arrays, it does on 5.2.9.  However, it does not for 5.2.5.  Beware.
2009-04-30 11:45:06
http://php5.kiev.ua/manual/ru/function.array-unique.html
I searched how to show only the de-duplicate elements from array, but failed. 
Here is my solution:

<?php
function arrayUniqueElements($array)
{
return 
array_unique(array_diff_assoc($array1,array_unique($array1)));
};
?>

Example:
<?php
$arr1 
= array('foo''bar''xyzzy''&''xyzzy',
'baz''bat''|''xyzzy''plugh',
'xyzzy''foobar''|''plonk''xyzzy',
'apples''&''xyzzy''oranges''xyzzy',
'pears','foobar');

$result=arrayUniqueElements($arr1);
print_r($result);exit;
?>

Output:

Array
(
[4] => xyzzy
[12] => |
[16] => &
[21] => foobar
)
2009-12-18 04:36:34
http://php5.kiev.ua/manual/ru/function.array-unique.html
recursive array unique for multiarrays

<?php
function super_unique($array)
{
 
$result array_map("unserialize"array_unique(array_map("serialize"$array)));

  foreach (
$result as $key => $value)
  {
    if ( 
is_array($value) )
    {
     
$result[$key] = super_unique($value);
    }
  }

  return 
$result;
}
?>
2010-04-12 11:11:23
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
It's often faster to use a foreache and array_keys than array_unique:

    <?php

    $max 
1000000;
   
$arr range(1,$max,3);
   
$arr2 range(1,$max,2);
   
$arr array_merge($arr,$arr2);

   
$time = -microtime(true);
   
$res1 array_unique($arr);
   
$time += microtime(true);
    echo 
"deduped to ".count($res1)." in ".$time;
   
// deduped to 666667 in 32.300781965256

   
$time = -microtime(true);
   
$res2 = array();
    foreach(
$arr as $key=>$val) {   
       
$res2[$val] = true;
    }
   
$res2 array_keys($res2);
   
$time += microtime(true);
    echo 
"<br />deduped to ".count($res2)." in ".$time;
   
// deduped to 666667 in 0.84372591972351

   
?>
2010-06-16 08:46:21
http://php5.kiev.ua/manual/ru/function.array-unique.html
My object unique function:

<?php
function object_unique$obj ){
   
$objArray = (array) $obj;

   
$objArray array_intersect_assocarray_unique$objArray ), $objArray );

    foreach( 
$obj as $n => $f ) {
        if( !
array_key_exists$n$objArray ) ) unset( $obj->$n );
    }

    return 
$obj;
}
?>

And these code:

<?php
class Test{
    public 
$pr0 'string';
    public 
$pr1 'string1';
    public 
$pr2 'string';
    public 
$pr3 'string2';
}

$obj = new Test;

var_dumpobject_unique$obj ) );
?>

returns:
object(Test)[1]
  public 'pr0' => string 'string' (length=6)
  public 'pr1' => string 'string1' (length=7)
  public 'pr3' => string 'string2' (length=7)
2012-04-25 16:26:28
http://php5.kiev.ua/manual/ru/function.array-unique.html
If you find the need to get a sorted array without it preserving the keys, use this code which has worked for me:

<?php

$array 
= array("hello""fine""good""fine""hello""bye");

$get_sorted_unique_array array_values(array_unique($array));

?>

The above code returns an array which is both unique and sorted from zero.
2013-12-13 16:38:13
http://php5.kiev.ua/manual/ru/function.array-unique.html
Create multidimensional array unique for any single key index.
e.g I want to create multi dimentional unique array for specific code

Code : 
My array is like this,

<?php
$details 
= array(
   
=> array("id"=>"1""name"=>"Mike",    "num"=>"9876543210"),
   
=> array("id"=>"2""name"=>"Carissa""num"=>"08548596258"),
   
=> array("id"=>"1""name"=>"Mathew""num"=>"784581254"),
);
?>

You can make it unique for any field like id, name or num.

I have develop this function for same : 
<?php
function unique_multidim_array($array$key) {
   
$temp_array = array();
   
$i 0;
   
$key_array = array();
   
    foreach(
$array as $val) {
        if (!
in_array($val[$key], $key_array)) {
           
$key_array[$i] = $val[$key];
           
$temp_array[$i] = $val;
        }
       
$i++;
    }
    return 
$temp_array;
}
?>

Now, call this function anywhere from your code,

something like this,
<?php
$details 
unique_multidim_array($details,'id');
?>

Output will be like this :
<?php
$details 
= array(
   
=> array("id"=>"1","name"=>"Mike","num"=>"9876543210"),
   
=> array("id"=>"2","name"=>"Carissa","num"=>"08548596258"),
);
?>
2014-12-09 12:15:37
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
[Editor's note: please note that this will not work well with non-scalar values in the array. Array keys can not be arrays themselves, nor streams, resources, etc. Flipping the array causes a change in key-name]

You can do a super fast version of array_unique directly in PHP, even faster than the other solution posted in the comments!

Compared to the built in function it is 20x faster! (2x faster than the solution in the comments). 

<?php
function superfast_array_unique($array) {
    return 
array_keys(array_flip($array));
}
?>

This works faster for small and big arrays.
2014-12-19 16:01:49
http://php5.kiev.ua/manual/ru/function.array-unique.html
I found the simplest way to "unique" multidimensional arrays as follows:

<?php

$array 
= array(
   
'a' => array(12),
   
'b' => array(12),
   
'c' => array(22),
   
'd' => array(21),
   
'e' => array(11),
);

$array array_map('json_encode'$array);
$array array_unique($array);
$array array_map('json_decode'$array);

print_r($array);

?>

As you can see "b" will be removed without any errors or notices.
2016-01-19 00:48:13
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
In reply to performance tests array_unique vs foreach.

In PHP7 there were significant changes to Packed and Immutable arrays resulting in the performance difference to drop considerably. Here is the same test on php7.1 here;
http://sandbox.onlinephpfunctions.com/code/2a9e986690ef8505490489581c1c0e70f20d26d1

$max = 770000; //large enough number within memory allocation
$arr = range(1,$max,3); 
$arr2 = range(1,$max,2); 
$arr = array_merge($arr,$arr2); 

$time = -microtime(true); 
$res1 = array_unique($arr); 
$time += microtime(true); 
echo "deduped to ".count($res1)." in ".$time; 
// deduped to 513333 in 1.0876770019531

$time = -microtime(true); 
$res2 = array(); 
foreach($arr as $key=>$val) {   
    $res2[$val] = true; 

$res2 = array_keys($res2); 
$time += microtime(true); 
echo "<br />deduped to ".count($res2)." in ".$time; 
// deduped to 513333 in 0.054931879043579
2017-01-20 05:23:00
http://php5.kiev.ua/manual/ru/function.array-unique.html
Following the Ghanshyam Katriya idea, but with an array of objects, where the $key is related to object propriety that you want to filter the uniqueness of array:

<?php
function obj_multi_unique($obj$key false)
    {
       
$totalObjs count($obj);
        if (
is_array($obj) && $totalObjs && is_object($obj[0]) && ($key && !is_numeric($key))) {
            for (
$i 0$i $totalObjs$i++) {
                if (isset(
$obj[$i])) {
                    for (
$j $i 1$j $totalObjs$j++) {
                        if (isset(
$obj[$j]) && $obj[$i]->{$key} === $obj[$j]->{$key}) {
                            unset(
$obj[$j]);
                        }
                    }
                }
            }
            return 
array_values($obj);
        } else {
            throw new 
Exception('Invalid argument or your array of objects is empty');
        }
    }
?>
2017-06-20 18:19:00
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
As for PHP 7.1.12, this is the comparison between array_keys(array_flip()), array_flip(array_flip()), for each elimination and array_unique. The array_keys(array_flip()) is the fastest method to remove duplication values from a single dimension array:

<?php

$max 
1000000;
$arr range(1,$max,3);
$arr2 range(1,$max,2);
$arr array_merge($arr,$arr2);

$time = -microtime(true);
$res1 array_unique($arr);
$time += microtime(true);

echo 
"<br>deduped to ".count($res1)." in ".$time;
// deduped to 666667 in 0.78185796737671
// memory used: 33558528

$time = -microtime(true);
$res2 array_flip(array_flip($arr));
$time += microtime(true);

echo 
"<br><br>deduped to ".count($res2)." in ".$time;
// deduped to 666667 in 0.072191953659058
// memory used: 3774873

$time = -microtime(true);
$res3 = array();
foreach(
$arr as $key=>$val) {
   
$res3[$val] = true;
}
$res3 array_keys($res3);
$time += microtime(true);

echo 
"<br /><br>deduped to ".count($res3)." in ".$time;
// deduped to 666667 in 0.095494985580444
// memory used: 33558528

$time = -microtime(true);
$res4 array_keys(array_flip($arr));
$time += microtime(true);

echo 
"<br /><br>deduped to ".count($res4)." in ".$time;
// deduped to 666667 in 0.05807900428772
// memory used: 33558528
2018-01-04 12:22:12
http://php5.kiev.ua/manual/ru/function.array-unique.html
Simple and clean way to get duplicate entries removed from a multidimensional array.

<?php
          $multi_array 
$multi_array [0];
         
$multi_array array_unique($multi_array);
         
print_r($multi_array);
?>
2018-06-01 20:25:47
http://php5.kiev.ua/manual/ru/function.array-unique.html
I find it odd that there is no version of this function which allows you to use a comparator callable in order to determine items equality (like array_udiff and array_uintersect). So, here's my version for you:

<?php
function array_uunique(array $array, callable $comparator): array {
   
$unique_array = [];
    do {
       
$element array_shift($array);
       
$unique_array[] = $element;

       
$array array_udiff(
           
$array,
            [
$element],
           
$comparator
       
);
    } while (
count($array) > 0);

    return 
$unique_array;
}
?>

And here is a test code:

<?php
class Foo {

    public 
$a;

    public function 
__construct(int $a) {
       
$this->$a;
    }
}

$array_of_objects = [new Foo(2), new Foo(1), new Foo(3), new Foo(2), new Foo(2), new Foo(1)];

$comparator = function (Foo $foo1Foo $foo2): int {
    return 
$foo1-><=> $foo2->a;
};

var_dump(array_uunique($array_of_objects$comparator)); // should output [Foo(2), Foo(1), Foo(3)]
?>
2018-06-19 20:51:07
http://php5.kiev.ua/manual/ru/function.array-unique.html
Here is a solution to make unique values keeping empty values for an array with keys :

<?php
function array_unique_kempty($array) {
   
$values array_unique($array);
   
$return array_combine(array_keys($array), array_fill(0,count($array),null));
    return 
array_merge($return,$values);
}

$myArray = [
   
"test1" => "aaa",
   
"test2" => null,
   
"test3" => "aaa",
   
"test4" => "bbb",
   
"test5" => null,
   
"test6" => "ccc",
   
"test7" => "ddd",
   
"test8" => "ccc"
];

echo 
"<pre>".print_r(array_unique_kempty($myArray),true)."</pre>";

/*
Array
(
    [test1] => aaa
    [test2] => 
    [test3] => 
    [test4] => bbb
    [test5] => 
    [test6] => ccc
    [test7] => ddd
    [test8] => 
)
*/
?>
2021-02-16 10:32:25
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
Because of PHP comparaisons modalities, you can never distinguish null from others falsy values.
Note the absorbing nature of true and false booleans in mix types array.

<?php

$a 
= [truefalsenull'''0''123'0123];
foreach ([
'SORT_REGULAR''SORT_NUMERIC''SORT_STRING''SORT_LOCALE_STRING'] as $flag) {
   
$a_new array_unique($aconstant($flag));
    echo 
"{$flag} ==> ";
   
var_dump($a_new);
}

/*

Gives :

SORT_REGULAR ==> array(2) {
  [0]=> bool(true)
  [1]=> bool(false)
}
SORT_NUMERIC ==> array(3) {
  [0]=> bool(true)
  [1]=> bool(false)
  [5]=> string(3) "123"
}
SORT_STRING ==> array(4) {
  [0]=> bool(true)
  [1]=> bool(false)
  [4]=> string(1) "0"
  [5]=> string(3) "123"
}
SORT_LOCALE_STRING ==> array(4) {
  [0]=> bool(true)
  [1]=> bool(false)
  [4]=> string(1) "0"
  [5]=> string(3) "123"
}

*/
2022-05-24 12:45:06
http://php5.kiev.ua/manual/ru/function.array-unique.html
$a = new StdClass();
$b = new StdClass();

var_dump(array_unique([$a, $b, $b, $a], SORT_REGULAR));
//array(1) {
//  [0]=>
//    object(stdClass)#1 (0) {
//  }
//}

$a->name = 'One';
$b->name = 'Two';

var_dump(array_unique([$a, $b, $b, $a], SORT_REGULAR));

//array(2) {
//  [0]=>
//  object(stdClass)#1 (1) {
//    ["name"]=>
//    string(3) "One"
//  }
//  [1]=>
//  object(stdClass)#2 (1) {
//    ["name"]=>
//    string(3) "Two"
//  }
//}
2022-11-01 16:43:10
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
array_unique is not compatible with php 8.1 enums because enums don't have a string representation yet (even the BackedEnum of string type…).
You get an error: "Object of class XXXX could not be converted to string."

So I wrote this function that creates a string representation of the enums and use the array keys to remove duplicates:

<?php

function array_unique_81(array $values): array
{
   
$unique = [];
    foreach (
$values as $value) {
        if (
$value instanceof \UnitEnum) {
           
$key 'e:' \get_class($value) . ':' $value->name;
        } else {
           
$key 's:' . (string)$value;
        }
       
$unique[$key] = $value;
    }
    return 
\array_values($unique);
}

?>
2022-11-24 00:45:51
http://php5.kiev.ua/manual/ru/function.array-unique.html
modified code originally posted by Ghanshyam Katriya(anshkatriya at gmail) [highest voted comment here].

1. In php 7.4 counter $i breaks the function. Removed completely (imo was waste of keystrokes anyway).
2. I added second return value - array of duplicates. So you can take both and compare them (I had to).

Example array (copy-paste from original post):
<?php
$details 
= array(
   
=> array("id"=>"1""name"=>"Mike",    "num"=>"9876543210"),
   
=> array("id"=>"2""name"=>"Carissa""num"=>"08548596258"),
   
=> array("id"=>"1""name"=>"Mathew""num"=>"784581254"),
);
?> 

Function:
<?php
function unique_multidim_array($array$key) : array {
   
$uniq_array = array();
   
$dup_array = array();
   
$key_array = array();

    foreach(
$array as $val) {
        if (!
in_array($val[$key], $key_array)) {
           
$key_array[] = $val[$key];
           
$uniq_array[] = $val;
/*
            # 1st list to check:
            # echo "ID or sth: " . $val['building_id'] . "; Something else: " . $val['nodes_name'] . (...) "\n";
*/
       
} else {
           
$dup_array[] = $val;
/*
            # 2nd list to check:
            # echo "ID or sth: " . $val['building_id'] . "; Something else: " . $val['nodes_name'] . (...) "\n";
*/
       
}
    }
    return array(
$uniq_array$dup_array/* $key_array */);
}
?> 

Usage:
<?php
list($unique_addresses$duplicates/* $unique_keys */) = unique_multidim_array($details,'id');
?>

Then:
var_dump($unique_addresses);
or
var_dump($duplicates);
or foreach or whatever. Personally I just echo-ed 1st and then 2nd (both DOUBLE COMMENTED) list in function itself (then copied both to notepad++ and compared them - just to be 100% sure), but in case you want to do something else with it - enjoy :)
Plus - as a bonus - you also get an array of UNIQUE keys you searched for (just uncomment >$key_array< in both: function return and function call code).

From example array code returns:
var_dump($unique_addresses); 
array(2) {
  [0]=>
  array(3) {
    ["id"]=>
    string(1) "1"
    ["name"]=>
    string(4) "Mike"
    ["num"]=>
    string(10) "9876543210"
  }
  [1]=>
  array(3) {
    ["id"]=>
    string(1) "2"
    ["name"]=>
    string(7) "Carissa"
    ["num"]=>
    string(11) "08548596258"
  }
}

var_dump($duplicates); 
array(1) {
  [0]=>
  array(3) {
    ["id"]=>
    string(1) "1"
    ["name"]=>
    string(6) "Mathew"
    ["num"]=>
    string(9) "784581254"
  }
}

Plus keys, if you want.

P.S.: in my - practical - case of DB querying I got around 4k uniques and 15k dupes :)
2022-12-17 02:47:21
http://php5.kiev.ua/manual/ru/function.array-unique.html
<?php

//removes duplicated objetcs from an array according to the property given

class ArrayFilter
{

    public static function 
dedupe_array_of_objets(array $arraystring $property) : array
    {
       
$i 0;
       
$filteredArray = array();
       
$keyArray = array();

        foreach(
$array as $item) {
            if (!
in_array($item->$property$keyArray)) {
               
$keyArray[$i] = $item->$property;
               
$filteredArray[$i] = $item;
            }
           
$i++;
        }
        return 
$filteredArray;
    }
}
2023-03-18 14:35:38
http://php5.kiev.ua/manual/ru/function.array-unique.html
Автор:
An other solution to remove duplicates entries of a multi-dimensional array based on key…

<?php

function array_unique_multi(array $arraystring $key): array 
{
   
$unique = [];
    foreach (
$array as $v) {
        if (!
array_key_exists($v[$key], $unique)) {
           
$unique[$v[$key]] = $v;
        }
    }
    return 
array_values($unique);
}

// Usage
$unique array_unique_multi($users'id');

?>

Or to preserve keys…

<?php

function array_unique_amulti(array $arraystring $key): array 
{
   
$keys = [];
   
$unique = [];
    foreach (
$array as $k => $v) {
        if (!isset(
$keys[$v[$key]])) {
           
$keys[$v[$key]] = true;
           
$unique[$k] = $v;
        }
    }
    return 
$unique;
}

?>
2024-02-01 04:19:36
http://php5.kiev.ua/manual/ru/function.array-unique.html

    Поддержать сайт на родительском проекте КГБ