Computing the ECDF
In this exercise, you will write a function that takes as input a 1D array of data and then returns the x
and y
values of the ECDF. You will use this function over and over again throughout this course and its sequel. ECDFs are among the most important plots in statistical analysis. You can write your own function, foo(x,y)
according to the following skeleton:
def foo(a,b):
"""State what function does here"""
# Computation performed here
return x, y
The function foo()
above takes two arguments a
and b
and returns two values x
and y
. The function header def foo(a,b):
contains the function signature foo(a,b)
, which consists of the function name, along with its parameters.
Este exercício faz parte do curso
Statistical Thinking in Python (Part 1)
Instruções de exercício
- Define a function with the signature
ecdf(data)
. Within the function definition,- Compute the number of data points,
n
, using thelen()
function. - The \(x\)-values are the sorted data. Use the
np.sort()
function to perform the sorting. - The \(y\) data of the ECDF go from
1/n
to1
in equally spaced increments. You can construct this usingnp.arange()
. Remember, however, that the end value innp.arange()
is not inclusive. Therefore,np.arange()
will need to go from1
ton+1
. Be sure to divide this byn
. - The function returns the values
x
andy
.
- Compute the number of data points,
Exercício interativo prático
Experimente este exercício preenchendo este código de exemplo.
def ecdf(data):
"""Compute ECDF for a one-dimensional array of measurements."""
# Number of data points: n
____ = ____(____)
# x-data for the ECDF: x
____ = ____(____)
# y-data for the ECDF: y
____ = ____(____, ____) / n
return x, y