scipy.special.fdtr#
- scipy.special.fdtr(dfn, dfd, x, out=None) = <ufunc 'fdtr'>#
F 累积分布函数。
返回 F 分布的累积分布函数的值,也称为 Snedecor 的 F 分布或 Fisher-Snedecor 分布。
带有参数 \(d_n\) 和 \(d_d\) 的 F 分布是随机变量的分布,
\[X = \frac{U_n/d_n}{U_d/d_d},\]其中 \(U_n\) 和 \(U_d\) 分别是分布为 \(\chi^2\) 的随机变量,具有 \(d_n\) 和 \(d_d\) 的自由度。
- 参数:
- dfnarray_like
第一个参数(正浮点数)。
- dfdarray_like
第二个参数(正浮点数)。
- xarray_like
参数(非负浮点数)。
- outndarray, 可选
函数值的可选输出数组
- 返回:
- y标量或 ndarray
自由度参数为 dfn 和 dfd,在 x 处的 F 分布累积分布函数。
另见
fdtrc
F 分布生存函数
fdtri
F 分布累积分布逆函数
scipy.stats.f
F 分布
说明
根据公式使用正则不完全 beta 函数:
\[F(d_n, d_d; x) = I_{xd_n/(d_d + xd_n)}(d_n/2, d_d/2).\]Cephes [1] 例程
fdtr
的封装程序。F 分布也可作为scipy.stats.f
提供。与scipy.stats.f
的cdf
方法相比,直接调用fdtr
可以提高性能(参见以下最后一个示例)。参考
[1]Cephes 数学函数库,http://www.netlib.org/cephes/
示例
在
x=1
处计算dfn=1
和dfd=2
的函数。>>> import numpy as np >>> from scipy.special import fdtr >>> fdtr(1, 2, 1) 0.5773502691896258
通过提供 x 的 NumPy 数组,在多个点计算函数。
>>> x = np.array([0.5, 2., 3.]) >>> fdtr(1, 2, x) array([0.4472136 , 0.70710678, 0.77459667])
针对多个参数集绘制函数。
>>> import matplotlib.pyplot as plt >>> dfn_parameters = [1, 5, 10, 50] >>> dfd_parameters = [1, 1, 2, 3] >>> linestyles = ['solid', 'dashed', 'dotted', 'dashdot'] >>> parameters_list = list(zip(dfn_parameters, dfd_parameters, ... linestyles)) >>> x = np.linspace(0, 30, 1000) >>> fig, ax = plt.subplots() >>> for parameter_set in parameters_list: ... dfn, dfd, style = parameter_set ... fdtr_vals = fdtr(dfn, dfd, x) ... ax.plot(x, fdtr_vals, label=rf"$d_n={dfn},\, d_d={dfd}$", ... ls=style) >>> ax.legend() >>> ax.set_xlabel("$x$") >>> ax.set_title("F distribution cumulative distribution function") >>> plt.show()
F 分布也可作为
scipy.stats.f
提供。与scipy.stats.f
的cdf
方法相比,直接使用fdtr
可以快得多,特别是对于小型数组或单个值而言。要获得相同的结果,必须使用以下参数设置:stats.f(dfn, dfd).cdf(x)=fdtr(dfn, dfd, x)
。>>> from scipy.stats import f >>> dfn, dfd = 1, 2 >>> x = 1 >>> fdtr_res = fdtr(dfn, dfd, x) # this will often be faster than below >>> f_dist_res = f(dfn, dfd).cdf(x) >>> fdtr_res == f_dist_res # test that results are equal True