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 128 129 130
|
package util
import (
"math/rand"
"testing"
)
type testCaseLengthStats struct {
data []uint64
q1, median, q3 float64
n50 uint64
l50 int
min, max uint64
}
var cases = []testCaseLengthStats{
testCaseLengthStats{
data: []uint64{},
median: 0,
q1: 0,
q3: 0,
n50: 0,
l50: 0,
min: 0,
max: 0,
},
testCaseLengthStats{
data: []uint64{2},
median: 2,
q1: 2,
q3: 2,
n50: 2,
l50: 1,
min: 2,
max: 2,
},
testCaseLengthStats{
data: []uint64{1, 2},
median: 1.5,
q1: 1,
q3: 2,
n50: 2,
l50: 1,
min: 1,
max: 2,
},
testCaseLengthStats{
data: []uint64{1, 2, 3},
median: 2,
q1: 1.5,
q3: 2.5,
n50: 3,
l50: 1,
min: 1,
max: 3,
},
testCaseLengthStats{
data: []uint64{1, 2, 3, 4},
median: 2.5,
q1: 1.5,
q3: 3.5,
n50: 3,
l50: 2,
min: 1,
max: 4,
},
testCaseLengthStats{
data: []uint64{2, 3, 4, 5, 6, 7, 8, 9},
median: 5.5,
q1: 3.5,
q3: 7.5,
n50: 7,
l50: 3,
min: 2,
max: 9,
},
}
func Test(t *testing.T) {
for i, _case := range cases {
rand.Shuffle(len(_case.data), func(i, j int) {
_case.data[i], _case.data[j] = _case.data[j], _case.data[i]
})
stats := NewLengthStats()
for _, l := range _case.data {
stats.Add(l)
}
if stats.Count() != uint64(len(_case.data)) {
t.Errorf("case %d: count mismatch", i)
}
min := stats.Min()
if min != _case.min {
t.Errorf("case %d: min mismatch: %d != %d", i, min, _case.min)
}
max := stats.Max()
if max != _case.max {
t.Errorf("case %d: max mismatch: %d != %d", i, max, _case.max)
}
median := stats.Median()
if median != _case.median {
t.Errorf("case %d: median mismatch: %f != %f", i, median, _case.median)
}
q1 := stats.Q1()
if q1 != _case.q1 {
t.Errorf("case %d: q1 mismatch: %f != %f", i, q1, _case.q1)
}
q3 := stats.Q3()
if q1 != _case.q1 {
t.Errorf("case %d: q3 mismatch: %f != %f", i, q3, _case.q3)
}
n50 := stats.N50()
if n50 != _case.n50 {
t.Errorf("case %d: n50 mismatch: %d != %d", i, n50, _case.n50)
}
l50 := stats.L50()
if l50 != _case.l50 {
t.Errorf("case %d: l50 mismatch: %d != %d", i, l50, _case.l50)
}
}
}
|