quartile.go 1.5 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374
  1. package stats
  2. import "math"
  3. // Quartiles holds the three quartile points
  4. type Quartiles struct {
  5. Q1 float64
  6. Q2 float64
  7. Q3 float64
  8. }
  9. // Quartile returns the three quartile points from a slice of data
  10. func Quartile(input Float64Data) (Quartiles, error) {
  11. il := input.Len()
  12. if il == 0 {
  13. return Quartiles{}, EmptyInput
  14. }
  15. // Start by sorting a copy of the slice
  16. copy := sortedCopy(input)
  17. // Find the cutoff places depeding on if
  18. // the input slice length is even or odd
  19. var c1 int
  20. var c2 int
  21. if il%2 == 0 {
  22. c1 = il / 2
  23. c2 = il / 2
  24. } else {
  25. c1 = (il - 1) / 2
  26. c2 = c1 + 1
  27. }
  28. // Find the Medians with the cutoff points
  29. Q1, _ := Median(copy[:c1])
  30. Q2, _ := Median(copy)
  31. Q3, _ := Median(copy[c2:])
  32. return Quartiles{Q1, Q2, Q3}, nil
  33. }
  34. // InterQuartileRange finds the range between Q1 and Q3
  35. func InterQuartileRange(input Float64Data) (float64, error) {
  36. if input.Len() == 0 {
  37. return math.NaN(), EmptyInput
  38. }
  39. qs, _ := Quartile(input)
  40. iqr := qs.Q3 - qs.Q1
  41. return iqr, nil
  42. }
  43. // Midhinge finds the average of the first and third quartiles
  44. func Midhinge(input Float64Data) (float64, error) {
  45. if input.Len() == 0 {
  46. return math.NaN(), EmptyInput
  47. }
  48. qs, _ := Quartile(input)
  49. mh := (qs.Q1 + qs.Q3) / 2
  50. return mh, nil
  51. }
  52. // Trimean finds the average of the median and the midhinge
  53. func Trimean(input Float64Data) (float64, error) {
  54. if input.Len() == 0 {
  55. return math.NaN(), EmptyInput
  56. }
  57. c := sortedCopy(input)
  58. q, _ := Quartile(c)
  59. return (q.Q1 + (q.Q2 * 2) + q.Q3) / 4, nil
  60. }