scipy.special.gdtr#
- scipy.special.gdtr(a, b, x, out=None) = <ufunc 'gdtr'>#
伽马分布累积分布函数。
返回从零到 x 的伽马概率密度函数的积分,
\[F = \int_0^x \frac{a^b}{\Gamma(b)} t^{b-1} e^{-at}\,dt,\]其中 \(\Gamma\) 是伽马函数。
- 参数:
- aarray_like
伽马分布的速率参数,有时表示为 \(\beta\) (浮点数)。它也是尺度参数 \(\theta\) 的倒数。
- barray_like
伽马分布的形状参数,有时表示为 \(\alpha\) (浮点数)。
- xarray_like
分位数(积分上限;浮点数)。
- outndarray,可选
可选的函数值的输出数组
- 返回:
- F标量或 ndarray
在 x 处评估的具有参数 a 和 b 的伽马分布的 CDF。
参见
gdtrc
伽马分布的 1 - CDF。
scipy.stats.gamma
伽马分布
备注
评估是使用与不完全伽马积分(正则化伽马函数)的关系进行的。
Cephes [1] 例程
gdtr
的包装器。直接调用gdtr
可以比scipy.stats.gamma
的cdf
方法提高性能(请参阅下面的最后一个示例)。参考文献
[1]Cephes 数学函数库,http://www.netlib.org/cephes/
示例
计算
a=1
、b=2
在x=5
处的值。>>> import numpy as np >>> from scipy.special import gdtr >>> import matplotlib.pyplot as plt >>> gdtr(1., 2., 5.) 0.9595723180054873
通过为 x 提供 NumPy 数组来计算
a=1
和b=2
在多个点处的值。>>> xvalues = np.array([1., 2., 3., 4]) >>> gdtr(1., 1., xvalues) array([0.63212056, 0.86466472, 0.95021293, 0.98168436])
gdtr
可以通过为 a、b 和 x 提供具有广播兼容形状的数组来评估不同的参数集。这里我们计算四个位置 x 处三个不同 a 的函数值,其中b=3
,结果是一个 3x4 数组。>>> a = np.array([[0.5], [1.5], [2.5]]) >>> x = np.array([1., 2., 3., 4]) >>> a.shape, x.shape ((3, 1), (4,))
>>> gdtr(a, 3., x) array([[0.01438768, 0.0803014 , 0.19115317, 0.32332358], [0.19115317, 0.57680992, 0.82642193, 0.9380312 ], [0.45618688, 0.87534798, 0.97974328, 0.9972306 ]])
绘制四个不同参数集的函数图。
>>> a_parameters = [0.3, 1, 2, 6] >>> b_parameters = [2, 10, 15, 20] >>> linestyles = ['solid', 'dashed', 'dotted', 'dashdot'] >>> parameters_list = list(zip(a_parameters, b_parameters, linestyles)) >>> x = np.linspace(0, 30, 1000) >>> fig, ax = plt.subplots() >>> for parameter_set in parameters_list: ... a, b, style = parameter_set ... gdtr_vals = gdtr(a, b, x) ... ax.plot(x, gdtr_vals, label=fr"$a= {a},\, b={b}$", ls=style) >>> ax.legend() >>> ax.set_xlabel("$x$") >>> ax.set_title("Gamma distribution cumulative distribution function") >>> plt.show()
伽马分布也可以作为
scipy.stats.gamma
使用。直接使用gdtr
可能比调用scipy.stats.gamma
的cdf
方法快得多,尤其是对于小数组或单个值。要获得相同的结果,必须使用以下参数化:stats.gamma(b, scale=1/a).cdf(x)=gdtr(a, b, x)
。>>> from scipy.stats import gamma >>> a = 2. >>> b = 3 >>> x = 1. >>> gdtr_result = gdtr(a, b, x) # this will often be faster than below >>> gamma_dist_result = gamma(b, scale=1/a).cdf(x) >>> gdtr_result == gamma_dist_result # test that results are equal True