在专门使用pymc3
一段时间之后,我最近开始学习emcee
,并且遇到了一些概念上的问题。
我正在练习Hogg's Fitting a model to data的第7章。这涉及到具有任意2d不确定性的直线拟合的mcmc。我已经很容易在emcee
中完成了此任务,但是pymc
给了我一些问题。
本质上可以归结为使用多元高斯似然。
这是我到目前为止所拥有的。
from pymc3 import *
import numpy as np
import matplotlib.pyplot as plt
size = 200
true_intercept = 1
true_slope = 2
true_x = np.linspace(0, 1, size)
# y = a + b*x
true_regression_line = true_intercept + true_slope * true_x
# add noise
# here the errors are all the same but the real world they are usually not!
std_y, std_x = 0.1, 0.1
y = true_regression_line + np.random.normal(scale=std_y, size=size)
x = true_x + np.random.normal(scale=std_x, size=size)
y_err = np.ones_like(y) * std_y
x_err = np.ones_like(x) * std_x
data = dict(x=x, y=y)
with Model() as model: # model specifications in PyMC3 are wrapped in a with-statement
# Define priors
intercept = Normal('Intercept', 0, sd=20)
gradient = Normal('gradient', 0, sd=20)
# Define likelihood
likelihood = MvNormal('y', mu=intercept + gradient * x,
tau=1./(np.stack((y_err, x_err))**2.), observed=y)
# start the mcmc!
start = find_MAP() # Find starting value by optimization
step = NUTS(scaling=start) # Instantiate MCMC sampling algorithm
trace = sample(2000, step, start=start, progressbar=False) # draw 2000 posterior samples using NUTS sampling
这会引发错误:
LinAlgError: Last 2 dimensions of the array must be square
因此,我试图将x和y(
MvNormal
s)的测量值及其关联的测量不确定性(mu
和y_err
)传递给x_err
。但是似乎不喜欢2d tau
参数。有任何想法吗?这一定是可能的
谢谢
最佳答案
您可以尝试采用以下模型。是“常规”线性回归。但是x
和y
已被高斯分布代替。在这里,我不仅假设输入和输出变量的测量值,而且还假设它们的误差是可靠的(例如,由测量设备提供)。如果您不信任这些错误值,则可以尝试从数据中估计它们。
with pm.Model() as model:
intercept = pm.Normal('intercept', 0, sd=20)
gradient = pm.Normal('gradient', 0, sd=20)
epsilon = pm.HalfCauchy('epsilon', 5)
obs_x = pm.Normal('obs_x', mu=x, sd=x_err, shape=len(x))
obs_y = pm.Normal('obs_y', mu=y, sd=y_err, shape=len(y))
likelihood = pm.Normal('y', mu=intercept + gradient * obs_x,
sd=epsilon, observed=obs_y)
trace = pm.sample(2000)
如果您要从数据中估计误差,则可以合理地假设它们可以相关,因此,可以使用多元高斯代替使用两个独立的高斯函数。在这种情况下,您将最终得到如下模型:
df_data = pd.DataFrame(data)
cov = df_data.cov()
with pm.Model() as model:
intercept = pm.Normal('intercept', 0, sd=20)
gradient = pm.Normal('gradient', 0, sd=20)
epsilon = pm.HalfCauchy('epsilon', 5)
obs_xy = pm.MvNormal('obs_xy', mu=df_data, tau=pm.matrix_inverse(cov), shape=df_data.shape)
yl = pm.Normal('yl', mu=intercept + gradient * obs_xy[:,0],
sd=epsilon, observed=obs_xy[:,1])
mu, sds, elbo = pm.variational.advi(n=20000)
step = pm.NUTS(scaling=model.dict_to_array(sds), is_cov=True)
trace = pm.sample(1000, step=step, start=mu)
注意,在先前的模型中,协方差矩阵是根据数据计算的。如果您打算这样做,那么我认为最好使用第一个模型,但是相反,如果您要估计协方差矩阵,那么第二个模型可能是明智的选择。
对于第二个模型,我使用ADVI对其进行初始化。 ADVI是初始化模型的好方法,通常比find_MAP()更好。
您可能还需要检查David Hogg的repository。在Statistical Rethinking书中,McElreath讨论了进行线性回归的问题,包括输入和输出变量中的误差。
关于python - pymc3中的多元线性回归,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39677240/