-
Notifications
You must be signed in to change notification settings - Fork 931
/
Copy pathstats.js
127 lines (112 loc) · 2.65 KB
/
stats.js
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
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
/**
* Related:
* https://github.com/numbers/numbers.js/blob/master/test/statistic.test.js
*/
class Stats {
constructor(serie = []) {
this.serie = serie;
}
set serie(serie) {
this.originalArray = serie;
this.sortedArray = serie.sort((a, b) => a - b);
this.evenSet = serie % 2 === 0;
this.oddSet = !this.evenSet;
this.length = serie.length;
[this.min] = this.sortedArray;
this.max = this.sortedArray[this.length - 1];
this.middleIndex = parseInt(serie.length / 2, 10);
}
get serie() {
return this.sortedArray;
}
count() {
return this.serie.length;
}
get percentiles() {
const i25 = parseInt(this.length * 0.25, 10);
const i50 = parseInt(this.length * 0.50, 10);
const i75 = parseInt(this.length * 0.75, 10);
const i5 = Math.ceil(this.length * 0.05);
const i95 = parseInt(this.length * 0.95, 10);
return {
q5: this.sortedArray[i5],
q25: this.sortedArray[i25],
q50: this.sortedArray[i50],
q75: this.sortedArray[i75],
q95: this.sortedArray[i95],
};
}
get median() {
const { q50 } = this.percentiles;
return q50;
}
iterateSerie() {
this.sumValue = 0;
this.frequencies = {};
let maxFrequency = 0;
this.sortedArray.forEach((element) => {
// sum
this.sumValue += element;
// mode
const frequency = 1 + (this.frequencies[element] || 0);
this.frequencies[element] = frequency;
if (frequency > maxFrequency) {
this.modeValue = element;
maxFrequency = frequency;
}
});
}
get mode() {
if (!this.modeValue) {
this.iterateSerie();
}
return this.modeValue;
}
get sum() {
if (!this.sumValue) {
this.iterateSerie();
}
return this.sumValue;
}
get mean() {
if (!this.sumValue) {
this.iterateSerie();
}
return this.sumValue / this.length;
}
/**
* Standard Deviation (SD, also sigma σ or letter s)
* How far data is from the mean value. The bigger the value,
* the more disperse is from the mean.
*/
get std() {
const { mean } = this;
const squareDifference = this.serie.reduce((sum, el) => {
return sum + ((el - mean) ** 2);
}, 0);
return Math.sqrt(squareDifference / (this.length - 1));
}
describe() {
const {
q5,
q25,
q50,
q75,
q95,
} = this.percentiles;
return {
'5%': q5,
'25%': q25,
'50%': q50,
'75%': q75,
'95%': q95,
min: this.min,
median: this.median,
max: this.max,
std: this.std,
count: this.length.toLocaleString(),
mode: this.mode,
};
}
}
module.exports = Stats;