I’m trying to plot the following
JavaScript
x
11
11
1
list_a_seq_of_p = [0, 1, 1, 1.5, 2.5, 3, 3, 3.5, 4.5, 5 ]
2
plt.plot(list_a_seq_of_p)
3
pyplot.hist(
4
list_a_seq_of_p,
5
range(11),
6
histtype="step",
7
cumulative=True,
8
color=("r"),
9
label=("A"),
10
)
11
This one actually draws a different array([ 1., 4., 5., 8., 9., 10., 10., 10., 10., 10.], which is created run time automatically.
Advertisement
Answer
I assume you mean the red histogram appears to be wrong? It’s not. You’ve got cumulative=True
so it adds each value to make a “running total”.
If you wanted both to line up, provide the same y-axis for both and set cumulative
to False
(or remove it since False
is the default).
JavaScript
1
13
13
1
import matplotlib.pyplot as plt
2
3
list_a_seq_of_p = [0, 1, 1, 1.5, 2.5, 3, 3, 3.5, 4.5, 5 ]
4
plt.plot(list_a_seq_of_p, range(len(list_a_seq_of_p)))
5
plt.hist(
6
list_a_seq_of_p,
7
len(list_a_seq_of_p),
8
histtype="step",
9
cumulative=False,
10
color=("r"),
11
label=("A"),
12
)
13
Btw, the 2nd parameter to plt.hist()
is the bins
. So which bins are you expecting? len(list_a_seq_of_p)
above is not a sensible value for bins.
Also, be consistent with your import names. First you use plt.plot()
and next line is pyplot.hist()
.