Find frequency of each element in a limited range array in less than O(n) time - GeeksforGeeks
Given an sorted array of positive integers, count number of occurrences for each element in the array. Assume all elements in the array are less than some constant M (much smaller than n).
Do this without traversing the complete array. i.e. expected time complexity is less than O(n).
Read full article from Find frequency of each element in a limited range array in less than O(n) time - GeeksforGeeks
Given an sorted array of positive integers, count number of occurrences for each element in the array. Assume all elements in the array are less than some constant M (much smaller than n).
Do this without traversing the complete array. i.e. expected time complexity is less than O(n).
Method 2 (Use Binary Search)
This problem can be solved in less than O(n) using a modified binary search. The idea is to recursively divide the array into two equal subarrays if its end elements are different. If both its end elements are same, that means that all elements in the subarray is also same as the array is already sorted. We then simply increment the count of the element by size of the subarray.
This problem can be solved in less than O(n) using a modified binary search. The idea is to recursively divide the array into two equal subarrays if its end elements are different. If both its end elements are same, that means that all elements in the subarray is also same as the array is already sorted. We then simply increment the count of the element by size of the subarray.
The time complexity of above approach is O(m log n), where m is number of distinct elements in the array of size n. Since m <= M (a constant), the time complexity of this solution is O(log n).
void
findFrequencyUtil(
int
arr[],
int
low,
int
high,
vector<
int
>& freq)
{
// If element at index low is equal to element
// at index high in the array
if
(arr[low] == arr[high])
{
// increment the frequency of the element
// by count of elements between high and low
freq[arr[low]] += high - low + 1;
}
else
{
// Find mid and recurse for left and right
// subarray
int
mid = (low + high) / 2;
findFrequencyUtil(arr, low, mid, freq);
findFrequencyUtil(arr, mid + 1, high, freq);
}
}
// A wrapper over recursive function
// findFrequencyUtil(). It print number of
// occurrences of each element in the array.
void
findFrequency(
int
arr[],
int
n)
{
// create a empty vector to store frequencies
// and initialize it by 0. Size of vector is
// maximum value (which is last value in sorted
// array) plus 1.
vector<
int
> freq(arr[n - 1] + 1, 0);
// Fill the vector with frequency
findFrequencyUtil(arr, 0, n - 1, freq);
// Print the frequencies
for
(
int
i = 0; i <= arr[n - 1]; i++)
if
(freq[i] != 0)
cout <<
"Element "
<< i <<
" occurs "
<< freq[i] <<
" times"
<< endl;
}