답변:
다음은 실제 예입니다.
import random
import numpy
from matplotlib import pyplot
x = [random.gauss(3,1) for _ in range(400)]
y = [random.gauss(4,2) for _ in range(400)]
bins = numpy.linspace(-10, 10, 100)
pyplot.hist(x, bins, alpha=0.5, label='x')
pyplot.hist(y, bins, alpha=0.5, label='y')
pyplot.legend(loc='upper right')
pyplot.show()
None
기본적으로입니다. 그래프에 표시된 것과 동일한 디자인을 원할 경우 edgecolor
예를 들어 k
(검정)으로 매개 변수를 설정할 수 있습니다 . 절차는 범례와 유사합니다.
pyplot.hist([x, y], bins, alpha=0.5, label=['x', 'y'])
.
허용 된 답변은 겹치는 막대가있는 히스토그램 코드를 제공하지만 각 막대를 나란히하고 싶다면 (아래처럼) 변형을 시도하십시오.
import numpy as np
import matplotlib.pyplot as plt
plt.style.use('seaborn-deep')
x = np.random.normal(1, 2, 5000)
y = np.random.normal(-1, 3, 2000)
bins = np.linspace(-10, 10, 30)
plt.hist([x, y], bins, label=['x', 'y'])
plt.legend(loc='upper right')
plt.show()
참고: http://matplotlib.org/examples/statistics/histogram_demo_multihist.html
편집 [2018/03/16] : @stochastic_zeitgeist가 제안한대로 다른 크기의 배열을 플로팅 할 수 있도록 업데이트되었습니다.
plt.hist
각 히스토그램 당 하나의 pdf 파일을 생성 하는 방법 ? 사용하여 데이터를로드 pandas.read_csv
했으며 파일에는 36 열과 100 줄이 있습니다. 100 개의 pdf 파일을 원합니다.
x=np.array(df.a)
와 y=np.array(df.b.dropna())
는 근본적으로되고 결국plt.hist([x, y], weights=[np.ones_like(x)/len(x), np.ones_like(y)/len(y)])
표본 크기가 다른 경우 분포를 단일 y 축과 비교하기 어려울 수 있습니다. 예를 들면 다음과 같습니다.
import numpy as np
import matplotlib.pyplot as plt
#makes the data
y1 = np.random.normal(-2, 2, 1000)
y2 = np.random.normal(2, 2, 5000)
colors = ['b','g']
#plots the histogram
fig, ax1 = plt.subplots()
ax1.hist([y1,y2],color=colors)
ax1.set_xlim(-10,10)
ax1.set_ylabel("Count")
plt.tight_layout()
plt.show()
이 경우 두 개의 데이터 세트를 다른 축에 플로팅 할 수 있습니다. 이렇게하려면 matplotlib를 사용하여 히스토그램 데이터를 가져 와서 축을 지운 다음 두 개의 별도 축에 다시 플로팅합니다 (빈 가장자리가 겹치지 않도록 이동).
#sets up the axis and gets histogram data
fig, ax1 = plt.subplots()
ax2 = ax1.twinx()
ax1.hist([y1, y2], color=colors)
n, bins, patches = ax1.hist([y1,y2])
ax1.cla() #clear the axis
#plots the histogram data
width = (bins[1] - bins[0]) * 0.4
bins_shifted = bins + width
ax1.bar(bins[:-1], n[0], width, align='edge', color=colors[0])
ax2.bar(bins_shifted[:-1], n[1], width, align='edge', color=colors[1])
#finishes the plot
ax1.set_ylabel("Count", color=colors[0])
ax2.set_ylabel("Count", color=colors[1])
ax1.tick_params('y', colors=colors[0])
ax2.tick_params('y', colors=colors[1])
plt.tight_layout()
plt.show()
구스타보 베 제라의 답변 완성 :
각 히스토그램을 정규화 ( normed
mpl <= 2.1 및 density
mpl> = 3.1 ) 하려는 경우을 사용할 수 없으며 normed/density=True
대신 각 값의 가중치를 설정해야합니다.
import numpy as np
import matplotlib.pyplot as plt
x = np.random.normal(1, 2, 5000)
y = np.random.normal(-1, 3, 2000)
x_w = np.empty(x.shape)
x_w.fill(1/x.shape[0])
y_w = np.empty(y.shape)
y_w.fill(1/y.shape[0])
bins = np.linspace(-10, 10, 30)
plt.hist([x, y], bins, weights=[x_w, y_w], label=['x', 'y'])
plt.legend(loc='upper right')
plt.show()
비교, 동일한로 x
하고 y
기본 무게와와 벡터 density=True
:
다음 bins
에서 반환 한 값을 사용해야합니다 hist
.
import numpy as np
import matplotlib.pyplot as plt
foo = np.random.normal(loc=1, size=100) # a normal distribution
bar = np.random.normal(loc=-1, size=10000) # a normal distribution
_, bins, _ = plt.hist(foo, bins=50, range=[-6, 6], normed=True)
_ = plt.hist(bar, bins=bins, alpha=0.5, normed=True)
다음은 데이터의 크기가 다른 경우 막대가 나란히 두 개의 막대 그래프를 나란히 표시하는 간단한 방법입니다.
def plotHistogram(p, o):
"""
p and o are iterables with the values you want to
plot the histogram of
"""
plt.hist([p, o], color=['g','r'], alpha=0.8, bins=50)
plt.show()
막대 그래프 만 원할 것 같습니다.
또는 하위 그림을 사용할 수 있습니다.
팬더 ( import pandas as pd
)가 있거나 사용에 문제가 있는 경우를 대비 하여 :
test = pd.DataFrame([[random.gauss(3,1) for _ in range(400)],
[random.gauss(4,2) for _ in range(400)]])
plt.hist(test.values.T)
plt.show()
2-d numpy 배열에서 히스토그램을 플로팅하려는 경우 한 가지주의 할 점이 있습니다. 2 축을 교체해야합니다.
import numpy as np
import matplotlib.pyplot as plt
data = np.random.normal(size=(2, 300))
# swapped_data.shape == (300, 2)
swapped_data = np.swapaxes(x, axis1=0, axis2=1)
plt.hist(swapped_data, bins=30, label=['x', 'y'])
plt.legend()
plt.show()
또한 호아킨 답변과 매우 유사한 옵션 :
import random
from matplotlib import pyplot
#random data
x = [random.gauss(3,1) for _ in range(400)]
y = [random.gauss(4,2) for _ in range(400)]
#plot both histograms(range from -10 to 10), bins set to 100
pyplot.hist([x,y], bins= 100, range=[-10,10], alpha=0.5, label=['x', 'y'])
#plot legend
pyplot.legend(loc='upper right')
#show it
pyplot.show()
다음과 같은 출력을 제공합니다.
pyplot.hold(True)
플로팅하기 전에 설정하는 것이 좋지 않습니까?