2016-03-14 129 views
6

我在Python中有一組數據。我將其繪製爲直方圖,該圖顯示雙峯分佈,因此我試圖在雙峯中的每個峯上繪製兩個高斯輪廓。從一組數據中擬合兩個高斯到一個直方圖python

如果我使用下面的代碼是需要我有兩個相同大小的數據集。但是我只有一個數據集,並且這不能平分。我怎樣才能適應這兩個高斯

from sklearn import mixture 
import matplotlib.pyplot 
import matplotlib.mlab 
import numpy as np 
clf = mixture.GMM(n_components=2, covariance_type='full') 
clf.fit(yourdata) 
m1, m2 = clf.means_ 
w1, w2 = clf.weights_ 
c1, c2 = clf.covars_ 
histdist = matplotlib.pyplot.hist(yourdata, 100, normed=True) 
plotgauss1 = lambda x: plot(x,w1*matplotlib.mlab.normpdf(x,m1,np.sqrt(c1))[0], linewidth=3) 
plotgauss2 = lambda x: plot(x,w2*matplotlib.mlab.normpdf(x,m2,np.sqrt(c2))[0], linewidth=3) 
plotgauss1(histdist[1]) 
plotgauss2(histdist[1]) 

回答

18

這裏的模擬與SciPy的工具:

from pylab import * 
from scipy.optimize import curve_fit 

data=concatenate((normal(1,.2,5000),normal(2,.2,2500))) 
y,x,_=hist(data,100,alpha=.3,label='data') 

x=(x[1:]+x[:-1])/2 # for len(x)==len(y) 

def gauss(x,mu,sigma,A): 
    return A*exp(-(x-mu)**2/2/sigma**2) 

def bimodal(x,mu1,sigma1,A1,mu2,sigma2,A2): 
    return gauss(x,mu1,sigma1,A1)+gauss(x,mu2,sigma2,A2) 

expected=(1,.2,250,2,.2,125) 
params,cov=curve_fit(bimodal,x,y,expected) 
sigma=sqrt(diag(cov)) 
plot(x,bimodal(x,*params),color='red',lw=3,label='model') 
legend() 
print(params,'\n',sigma)  

的數據是兩個正常樣品,模型高斯曲線的總和的疊加。我們得到:

gauss with legend

而且估計的參數是:

# via pandas : 
# pd.DataFrame(data={'params':params,'sigma':sigma},index=bimodal.__code__.co_varnames[1:]) 
      params  sigma 
mu1  0.999447 0.002683 
sigma1 0.202465 0.002696 
A1  226.296279 2.597628 
mu2  2.003028 0.005036 
sigma2 0.193235 0.005058 
A2  117.823706 2.658789 
相關問題