Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

PHP: Most frequent value in array

So I have this JSON Array:

[0] => 238
[1] => 7
[2] => 86
[3] => 79
[4] => 55
[5] => 92
[6] => 55
[7] => 7
[8] => 254
[9] => 9
[10] => 75
[11] => 238
[12] => 89
[13] => 238

I will be having more values in the actual JSON file. But by looking at this I can see that 238 and 55 is being repeated more than any other number. What I want to do is get the top 5 most repeated values in the array and store them in a new PHP array.

like image 286
Gopi Avatar asked Jun 03 '15 17:06

Gopi


People also ask

How do you find the most repeated number in an array in PHP?

array_count_values() gets the count of the number of times each item appears in an array.

What is the use of Array_keys in PHP?

The array_keys() is a built-in function in PHP and is used to return either all the keys of and array or the subset of the keys.


2 Answers

$values = array_count_values($array);
arsort($values);
$popular = array_slice(array_keys($values), 0, 5, true);
  • array_count_values() gets the count of the number of times each item appears in an array
  • arsort() sorts the array by number of occurrences in reverse order
  • array_keys() gets the actual value which is the array key in the results from array_count_values()
  • array_slice() gives us the first five elements of the results

Demo

$array = [1,2,3,4,238, 7, 86, 79, 55, 92, 55, 7, 254, 9, 75, 238, 89, 238];
$values = array_count_values($array);
arsort($values);
$popular = array_slice(array_keys($values), 0, 5, true);

array (
  0 => 238,
  1 => 55,
  2 => 7,
  3 => 4,
  4 => 3,
)
like image 138
John Conde Avatar answered Sep 19 '22 18:09

John Conde


The key is to use something like array_count_values() to tally up the number of occurrences of each value.

<?php

$array = [238, 7, 86, 79, 55, 92, 55, 7, 254, 9, 75, 238, 89, 238];

// Get array of (value => count) pairs, sorted by descending count
$counts = array_count_values($array);
arsort($counts);
// array(238 => 3, 55 => 2, 7 => 2, 75 => 1, 89 => 1, 9 => 1, ...)

// An array with the first (top) 5 counts
$top_with_count = array_slice($counts, 0, 5, true);
// array(238 => 3, 55 => 2, 7 => 2, 75 => 1, 89 => 1)

// An array with just the values
$top = array_keys($top_with_count);
// array(238, 55, 7, 75, 89)

?>
like image 25
salathe Avatar answered Sep 18 '22 18:09

salathe