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 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288
|
// Copyright (c) 2017 Couchbase, Inc.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the
// License. You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing,
// software distributed under the License is distributed on an "AS
// IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
// express or implied. See the License for the specific language
// governing permissions and limitations under the License.
// Package ghistogram provides a simple histogram of uint64's that
// avoids heap allocations (garbage creation) during data processing.
package ghistogram
import (
"bytes"
"fmt"
"math"
"strings"
"sync"
)
// Histogram is a simple uint64 histogram implementation that avoids
// heap allocations during its processing of incoming data points.
//
// It was motivated for tracking simple performance timings.
//
// The histogram bins are split across the two arrays of Ranges and
// Counts, where len(Ranges) == len(Counts). These arrays are public
// in case users wish to use reflection or JSON marhsaling.
//
// An optional growth factor for bin sizes is supported - see
// NewHistogram() binGrowthFactor parameter.
//
// The histogram is concurrent safe.
type Histogram struct {
// Histogram name.
Name string
// Ranges holds the lower domain bounds of bins, so bin i has data
// point domain of "[Ranges[i], Ranges[i+1])". Related,
// Ranges[0] == 0 and Ranges[1] == binFirst.
Ranges []uint64
// Counts holds the event counts for bins.
Counts []uint64
// TotCount is the sum of all counts.
TotCount uint64
TotDataPoint uint64 // TotDataPoint is the sum of all data points.
MinDataPoint uint64 // MinDataPoint is the smallest data point seen.
MaxDataPoint uint64 // MaxDataPoint is the largest data point seen.
m sync.Mutex
}
// Creates a new Histogram whose name is "histogram"
func NewHistogram(
numBins int,
binFirst uint64,
binGrowthFactor float64) *Histogram {
return NewNamedHistogram("histogram", numBins, binFirst, binGrowthFactor)
}
// NewNamedHistogram creates a new, ready to use Histogram. The numBins
// must be >= 2. The binFirst is the width of the first bin. The
// binGrowthFactor must be > 1.0 or 0.0.
//
// A special case of binGrowthFactor of 0.0 means the the allocated
// bins will have constant, non-growing size or "width".
func NewNamedHistogram(
name string,
numBins int,
binFirst uint64,
binGrowthFactor float64) *Histogram {
gh := &Histogram{
Name: name,
Ranges: make([]uint64, numBins),
Counts: make([]uint64, numBins),
TotCount: 0,
MinDataPoint: math.MaxUint64,
MaxDataPoint: 0,
}
gh.Ranges[0] = 0
gh.Ranges[1] = binFirst
for i := 2; i < len(gh.Ranges); i++ {
if binGrowthFactor == 0.0 {
gh.Ranges[i] = gh.Ranges[i-1] + binFirst
} else {
gh.Ranges[i] =
uint64(math.Ceil(binGrowthFactor * float64(gh.Ranges[i-1])))
}
}
return gh
}
// Creates a new Histogram whose name and ranges are identical to
// the one provided. Note that the entries are not copied.
func (gh *Histogram) CloneEmpty() *Histogram {
newHist := &Histogram{
Name: gh.Name,
Ranges: make([]uint64, len(gh.Ranges)),
Counts: make([]uint64, len(gh.Counts)),
TotCount: 0,
MinDataPoint: math.MaxUint64,
MaxDataPoint: 0,
}
for i := 0; i < len(gh.Ranges); i++ {
newHist.Ranges[i] = gh.Ranges[i]
}
return newHist
}
// Add increases the count in the bin for the given dataPoint
// in a concurrent-safe manner.
func (gh *Histogram) Add(dataPoint uint64, count uint64) {
gh.m.Lock()
gh.addUNLOCKED(dataPoint, count)
gh.m.Unlock()
}
func (gh *Histogram) addUNLOCKED(dataPoint uint64, count uint64) {
idx := search(gh.Ranges, dataPoint)
if idx >= 0 {
gh.Counts[idx] += count
gh.TotCount += count
gh.TotDataPoint += dataPoint
if gh.MinDataPoint > dataPoint {
gh.MinDataPoint = dataPoint
}
if gh.MaxDataPoint < dataPoint {
gh.MaxDataPoint = dataPoint
}
}
}
// Finds the last arr index where the arr entry <= dataPoint.
func search(arr []uint64, dataPoint uint64) int {
i, j := 0, len(arr)
for i < j {
h := i + (j-i)/2 // Avoids h overflow, where i <= h < j.
if dataPoint >= arr[h] {
i = h + 1
} else {
j = h
}
}
return i - 1
}
// AddAll adds all the Counts from the src histogram into this
// histogram. The src and this histogram must either have the same
// exact creation parameters.
func (gh *Histogram) AddAll(src *Histogram) {
src.m.Lock()
gh.m.Lock()
for i := 0; i < len(src.Counts); i++ {
gh.Counts[i] += src.Counts[i]
}
gh.TotCount += src.TotCount
gh.TotDataPoint += src.TotDataPoint
if gh.MinDataPoint > src.MinDataPoint {
gh.MinDataPoint = src.MinDataPoint
}
if gh.MaxDataPoint < src.MaxDataPoint {
gh.MaxDataPoint = src.MaxDataPoint
}
gh.m.Unlock()
src.m.Unlock()
}
// EmitGraph emits an ascii graph to the optional out buffer, allocating
// an out buffer if none was supplied. Returns the out buffer. Each
// line emitted may have an optional prefix.
//
// For example:
// TestGraph (48 Total)
// [0 - 10] 4.17% 4.17% ### (2)
// [10 - 20] 41.67% 45.83% ############################## (20)
// [20 - 40] 20.83% 66.67% ############### (10)
// [40 - inf] 33.33% 100.00% ####################### (16)
func (gh *Histogram) EmitGraph(prefix []byte,
out *bytes.Buffer) *bytes.Buffer {
gh.m.Lock()
ranges := gh.Ranges
counts := gh.Counts
countsN := len(counts)
if out == nil {
out = bytes.NewBuffer(make([]byte, 0, 80*countsN))
}
var maxCount uint64
var bins []string
var longestRange int
for i, c := range counts {
if maxCount < c {
maxCount = c
}
var temp string
if i < countsN-1 {
temp = fmt.Sprintf("%v - %v", ranges[i], ranges[i+1])
} else {
temp = fmt.Sprintf("%v - inf", ranges[i])
}
bins = append(bins, temp)
if c > 0 && longestRange < len(temp) {
longestRange = len(temp)
}
}
maxCountF := float64(maxCount)
totCountF := float64(gh.TotCount)
var runCount uint64 // Running total while emitting lines.
barLen := float64(len(bar))
fmt.Fprintf(out, "%s (%v Total)\n", gh.Name, gh.TotCount)
for i, c := range counts {
if c == 0 {
continue
}
padding := strings.Repeat(" ", (longestRange - len(bins[i])))
if prefix != nil {
out.Write(prefix)
}
runCount += c
fmt.Fprintf(out, "[%s] %s%7.2f%% %7.2f%%",
bins[i], padding,
100.0*(float64(c)/totCountF),
100.0*(float64(runCount)/totCountF))
out.Write([]byte(" "))
barWant := int(math.Floor(barLen * (float64(c) / maxCountF)))
out.Write(bar[0:barWant])
fmt.Fprintf(out, " (%v)", c)
out.Write([]byte("\n"))
}
gh.m.Unlock()
return out
}
var bar = []byte("##############################")
// CallSync invokes the callback func while the histogram is locked.
func (gh *Histogram) CallSync(f func()) {
gh.m.Lock()
f()
gh.m.Unlock()
}
// CallSyncEx invokes the callback func with a HistogramMutator
// while the histogram is locked. This allows apps to perform
// multiple updates to a histogram without incurring locking
// costs on each update.
func (gh *Histogram) CallSyncEx(f func(HistogramMutator)) {
gh.m.Lock()
f(&histogramMutator{gh})
gh.m.Unlock()
}
|