-
Notifications
You must be signed in to change notification settings - Fork 92
/
Copy pathMeanMode
72 lines (59 loc) · 2.87 KB
/
MeanMode
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
/***************************************************************************************
* *
* CODERBYTE BEGINNER CHALLENGE *
* *
* MeanMode *
* Have the function MeanMode(arr) take the array of numbers stored in arr and *
* return 1 if the mode equals the mean, 0 if they don't equal each other *
* (ie. [5, 3, 3, 3, 1] should return 1 because the mode (3) equals the mean (3)). *
* The array will not be empty, will only contain positive integers, and will not *
* contain more than one mode. *
* *
* SOLUTION *
* Since it is possible that I will want a function that will calculate the mean or *
* mode in the future, I decided to create separate functions for each. The mean is *
* calculated by the average of all values in the array. The mode is the number that *
* exists the most in the array. My solution is to call my two functions and then *
* compare to see if they are equal and if so return 1 else return 0. *
* *
* Steps for solution *
* 1) Create separate functions for getMean and getMode *
* 2) Compare the values returned from the two functions *
* 3) If values are equal return 1 else return 0 *
* *
***************************************************************************************/
function MeanMode(arr) {
var myMean, myMode;
myMode = getMode(arr);
myMean = getMean(arr);
if(myMode == myMean) {
return 1;
} else {
return 0;
}
}
function getMean(arr) {
var sum = 0, mean;
for (var i = 0; i < arr.length; i++){
sum = sum + arr[i];
}
mean = sum / arr.length;
return mean;
}
function getMode(arr) {
var ctObj = {}, mode, maxCt = 1;
arr.sort(function(a, b) {return a - b;});
for (var i = 0; i < arr.length; i++){
ctObj[arr[i]] = ctObj[arr[i]] || 0;
ctObj[arr[i]]++;
}
for (var key in ctObj) {
if (ctObj.hasOwnProperty(key)) {
if (ctObj[key] > maxCt) {
maxCt = ctObj[key];
mode = key;
}
}
}
return mode;
}