Problem Description
You are given a large sample of integers in the range [0, 255]. Since the sample is so large, it is represented by an array count where count[k] is the number of times that k appears in the sample. Calculate the following statistics: minimum, maximum, mean, median, and mode. Return the statistics of the sample as an array of floating-point numbers [minimum, maximum, mean, median, mode]. Answers within 10^-5 of the actual answer will be accepted.
Key Insights
- The range of possible integers is limited to [0, 255], allowing efficient counting.
- The mode is guaranteed to be unique, simplifying the mode calculation.
- Mean is straightforward, but median requires careful consideration of odd/even sample sizes.
- We need to iterate through the count array to derive the necessary statistics.
Space and Time Complexity
Time Complexity: O(1) - The time complexity is constant as the size of the input (count) is fixed at 256. Space Complexity: O(1) - We use a small, constant amount of additional space.
Solution
To solve the problem, we will utilize an array of size 256 to represent the count of each integer from 0 to 255. The following steps outline the algorithm:
- Minimum and Maximum: Iterate through the
count
array to find the first and last indices with non-zero counts. - Mean: Calculate the total sum of all elements by multiplying each index by its count and then divide by the total number of elements.
- Median: Traverse the
count
array to find the median by counting elements until reaching the midpoint. - Mode: Identify the index with the maximum count to determine the mode.
This approach ensures that we efficiently calculate all required statistics using a single pass through the count
array when needed.