我有样本数据,我想计算一个置信区间,假设分布不正常且未知。基本上,看起来分发是帕累托,但我不确定。
正态分布的答案:
答案 0 :(得分:3)
如果你不了解底层发行版,那么我首先想到的是使用bootstrapping:https://en.wikipedia.org/wiki/Bootstrapping_(statistics)
在伪代码中,假设x
是包含数据的numpy数组:
import numpy as np
N = 10000
mean_estimates = []
for _ in range(N):
re_sample_idx = np.random.randint(0, len(x), x.shape)
mean_estimates.append(np.mean(x[re_sample_idx]))
mean_estimates
现在是10000个分布均值估计值的列表。取这10000个值的第2.5百分位和第97.5百分位数,你的数据平均值有一个置信区间:
sorted_estimates = np.sort(np.array(mean_estimates))
conf_interval = [sorted_estimates[int(0.025 * N)], sorted_estimates[int(0.975 * N)]]
答案 1 :(得分:1)
您可以使用 bootstrap 来估算来自 UNKNOW 分布的每个数量
def bootstrap_ci(
data,
statfunction=np.average,
alpha = 0.05,
n_samples = 100):
"""inspired by https://github.com/cgevans/scikits-bootstrap"""
import warnings
def bootstrap_ids(data, n_samples=100):
for _ in range(n_samples):
yield np.random.randint(data.shape[0], size=(data.shape[0],))
alphas = np.array([alpha/2, 1 - alpha/2])
nvals = np.round((n_samples - 1) * alphas).astype(int)
if np.any(nvals < 10) or np.any(nvals >= n_samples-10):
warnings.warn("Some values used extremal samples; results are probably unstable. "
"Try to increase n_samples")
data = np.array(data)
if np.prod(data.shape) != max(data.shape):
raise ValueError("Data must be 1D")
data = data.ravel()
boot_indexes = bootstrap_ids(data, n_samples)
stat = np.asarray([statfunction(data[_ids]) for _ids in boot_indexes])
stat.sort(axis=0)
return stat[nvals]
模拟帕累托分布中的一些数据
np.random.seed(33)
data = np.random.pareto(a=1, size=111)
sample_mean = np.mean(data)
plt.hist(data, bins=25)
plt.axvline(sample_mean, c='red', label='sample mean'); plt.legend()
通过引导生成样本均值的置信区间
low_ci, up_ci = bootstrap_ci(data, np.mean, n_samples=1000)
绘制结果
plt.hist(data, bins=25)
plt.axvline(low_ci, c='orange', label='low_ci mean')
plt.axvline(up_ci, c='magenta', label='up_ci mean')
plt.axvline(sample_mean, c='red', label='sample mean'); plt.legend()
通过引导生成分布参数的置信区间
from scipy.stats import pareto
true_params = pareto.fit(data)
low_ci, up_ci = bootstrap_ci(data, pareto.fit, n_samples=1000)
low_ci[0]
和 up_ci[0]
是形状参数的置信区间
low_ci[0], true_params[0], up_ci[0] ---> (0.8786, 1.0983, 1.4599)
答案 2 :(得分:0)
从对其他答案的讨论中,我假设你想要一个人口均值的置信区间,是吗? (您必须对某些数量有一个置信区间,而不是分布本身。)
对于所有具有有限矩的分布,均值的采样分布渐近趋于正态分布,均值等于总体均值,方差等于总体方差除以n。因此,如果你有大量的数据,$ \ mu \ pm \ Phi ^ { - 1}(p)\ sigma / \ sqrt {n} $应该是人口均值的p-置信区间的一个很好的近似值,甚至如果分布不正常。
答案 3 :(得分:0)
当前解决方案无效,因为randint似乎已被弃用
np.random.seed(10)
point_estimates = [] # Make empty list to hold point estimates
for x in range(200): # Generate 200 samples
sample = np.random.choice(a= x, size=x.shape)
point_estimates.append( sample.mean() )
sorted_estimates = np.sort(np.array(point_estimates))
conf_interval = [sorted_estimates[int(0.025 * N)], sorted_estimates[int(0.975 * N)]]
print(conf_interval, conf_interval[1] - conf_interval[0])
pd.DataFrame(point_estimates).plot(kind="density", legend= False)