mode.go 980 B

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647
  1. package stats
  2. // Mode gets the mode [most frequent value(s)] of a slice of float64s
  3. func Mode(input Float64Data) (mode []float64, err error) {
  4. // Return the input if there's only one number
  5. l := input.Len()
  6. if l == 1 {
  7. return input, nil
  8. } else if l == 0 {
  9. return nil, EmptyInput
  10. }
  11. c := sortedCopyDif(input)
  12. // Traverse sorted array,
  13. // tracking the longest repeating sequence
  14. mode = make([]float64, 5)
  15. cnt, maxCnt := 1, 1
  16. for i := 1; i < l; i++ {
  17. switch {
  18. case c[i] == c[i-1]:
  19. cnt++
  20. case cnt == maxCnt && maxCnt != 1:
  21. mode = append(mode, c[i-1])
  22. cnt = 1
  23. case cnt > maxCnt:
  24. mode = append(mode[:0], c[i-1])
  25. maxCnt, cnt = cnt, 1
  26. default:
  27. cnt = 1
  28. }
  29. }
  30. switch {
  31. case cnt == maxCnt:
  32. mode = append(mode, c[l-1])
  33. case cnt > maxCnt:
  34. mode = append(mode[:0], c[l-1])
  35. maxCnt = cnt
  36. }
  37. // Since length must be greater than 1,
  38. // check for slices of distinct values
  39. if maxCnt == 1 {
  40. return Float64Data{}, nil
  41. }
  42. return mode, nil
  43. }