ECDF in python without step function?

14,059

If you just want to change the plot, then you could let matplotlib interpolate between the observed values.

>>> xx = np.random.randn(nobs)
>>> ecdf = sm.distributions.ECDF(xx)
>>> plt.plot(ecdf.x, ecdf.y)
[<matplotlib.lines.Line2D object at 0x07A872D0>]
>>> plt.show()

or sort original data and plot

>>> xx.sort()
>>> plt.plot(xx, ecdf(xx))
[<matplotlib.lines.Line2D object at 0x07A87090>]
>>> plt.show()

which is the same as plotting it directly

>>> a=0; plt.plot(xx, np.arange(1.,nobs+1)/(nobs+a))
[<matplotlib.lines.Line2D object at 0x07A87D30>]
>>> plt.show()

Note: depending on how you want the ecdf to behave at the boundaries and how it will be centered, there are different normalizations for "plotting positions" that are in common use, like the parameter a that I added as example a=1 is a common choice.

As alternative to using the empirical cdf, you could also use an interpolated or smoothed ecdf or histogram, or a kernel density estimate.

Share:
14,059
r_31415
Author by

r_31415

Updated on June 04, 2022

Comments

  • r_31415
    r_31415 almost 2 years

    I have been using ECDF (empirical cumulative distribution function) from statsmodels.distributions to plot a CDF of some data. However, ECDF uses a step function and as a consequence I get jagged-looking plots.

    enter image description here

    So my question is: Do scipy or statsmodels have a ECDF baked-in without a step function?

    By the way, I know I can do this:

    hist, bin_edges = histogram(b_oz, normed=True)
    plot(np.cumsum(hist))
    

    but I don't get the right scales.

    Thanks!

  • r_31415
    r_31415 over 11 years
    Yes, the problem here is that the data is not so varied as a sample created using randn(), so I still get a jagged plot because the distribution is applying a step function between values. Therefore, even when I use ecdf.x and ecdf.y (by the way, nice tip... I didn't know I could do that), I get exactly the same result (with 9000+ data points).
  • Josef
    Josef over 11 years
    ECDF applies the step function only to points in between the original observed points. Points different from the observed points will be defined by the step function as a definition of the ecdf. Maybe your original data is binned if it looks step like in the plot, when you only plot original points. If you want a non-step cdf, then instead of the ecdf you could use a linear interpolation of the ecdf points (observations) which would correspond to a piecewise linear density as in a histogram.
  • r_31415
    r_31415 over 11 years
    Interesting. I think the original points has a lot of repeated points and it's not so well distributed as randn(). Yes, I will take a look at interpolating ecdf points. Thanks.