How to add all numbers within a range in an array? then find the average of that range

146 Views Asked by At

I have a problem with C++ and I dont know how to start this code since I am new to this.

My problem is I have a BUNCH of arrays and the one below is ONE example. From the bunch of arrays I have to find all the numbers present from a range of 0.0 to 0.5 Once the code has found all the numbers it has found and add them all together and divide it by the amount of numbers there are; in order to find the average.

I was hoping someone would be able to tell me how to search an array for numbers between the specified range and then find the average of those numbers.

float array1[] = { 0.141573001, 0.129732453, 1.689353116, 1.445072308, 
                   1.767702844, 1.967608838, 0.792822868, 1.836018189, 
                   0.521325809, 1.242620743, 0.30556143 , 1.45634    ,
                   1.242620743, 0.30556143 , 1.45634    , 1.340469519,
                   0.02216116 , 0.030461417, 1.420794672, 0.700459128,            
                   0.959538479, 0.716117771, 1.612446026
                 };
1

There are 1 best solutions below

14
On BEST ANSWER

Iterate over array, on each iteration check if element is in range (via 0.0 <= element && element <= 0.5), if so increment counter and add element to sum:

float array[] = { 0.141573001, 0.129732453, 1.689353116, 1.445072308, 1.767702844, 1.967608838, 0.792822868, 1.836018189, 0.521325809, 1.242620743, 0.30556143, 1.45634, 1.340469519, 0.02216116, 0.030461417, 1.420794672, 0.700459128, 0.959538479, 0.716117771, 1.612446026};

size_t count = 0;
double sum = 0;
for (float element : array) {
    if (0.0 <= element && element <= 0.5) {
        ++count;
        sum += element;
    }
}
double average = sum / count;

Ideone