mean.go 1.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960
  1. package stats
  2. import "math"
  3. // Mean gets the average of a slice of numbers
  4. func Mean(input Float64Data) (float64, error) {
  5. if input.Len() == 0 {
  6. return math.NaN(), EmptyInput
  7. }
  8. sum, _ := input.Sum()
  9. return sum / float64(input.Len()), nil
  10. }
  11. // GeometricMean gets the geometric mean for a slice of numbers
  12. func GeometricMean(input Float64Data) (float64, error) {
  13. l := input.Len()
  14. if l == 0 {
  15. return math.NaN(), EmptyInput
  16. }
  17. // Get the product of all the numbers
  18. var p float64
  19. for _, n := range input {
  20. if p == 0 {
  21. p = n
  22. } else {
  23. p *= n
  24. }
  25. }
  26. // Calculate the geometric mean
  27. return math.Pow(p, 1/float64(l)), nil
  28. }
  29. // HarmonicMean gets the harmonic mean for a slice of numbers
  30. func HarmonicMean(input Float64Data) (float64, error) {
  31. l := input.Len()
  32. if l == 0 {
  33. return math.NaN(), EmptyInput
  34. }
  35. // Get the sum of all the numbers reciprocals and return an
  36. // error for values that cannot be included in harmonic mean
  37. var p float64
  38. for _, n := range input {
  39. if n < 0 {
  40. return math.NaN(), NegativeErr
  41. } else if n == 0 {
  42. return math.NaN(), ZeroErr
  43. }
  44. p += (1 / n)
  45. }
  46. return float64(l) / p, nil
  47. }