outlier.go 1.0 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344
  1. package stats
  2. // Outliers holds mild and extreme outliers found in data
  3. type Outliers struct {
  4. Mild Float64Data
  5. Extreme Float64Data
  6. }
  7. // QuartileOutliers finds the mild and extreme outliers
  8. func QuartileOutliers(input Float64Data) (Outliers, error) {
  9. if input.Len() == 0 {
  10. return Outliers{}, EmptyInput
  11. }
  12. // Start by sorting a copy of the slice
  13. copy := sortedCopy(input)
  14. // Calculate the quartiles and interquartile range
  15. qs, _ := Quartile(copy)
  16. iqr, _ := InterQuartileRange(copy)
  17. // Calculate the lower and upper inner and outer fences
  18. lif := qs.Q1 - (1.5 * iqr)
  19. uif := qs.Q3 + (1.5 * iqr)
  20. lof := qs.Q1 - (3 * iqr)
  21. uof := qs.Q3 + (3 * iqr)
  22. // Find the data points that are outside of the
  23. // inner and upper fences and add them to mild
  24. // and extreme outlier slices
  25. var mild Float64Data
  26. var extreme Float64Data
  27. for _, v := range copy {
  28. if v < lof || v > uof {
  29. extreme = append(extreme, v)
  30. } else if v < lif || v > uif {
  31. mild = append(mild, v)
  32. }
  33. }
  34. // Wrap them into our struct
  35. return Outliers{mild, extreme}, nil
  36. }