scipy.special.fdtrc#
- scipy.special.fdtrc(dfn, dfd, x, out=None) = <ufunc 'fdtrc'>#
F 生存函数。
返回补 F 分布函数(从 x 到无穷大的密度积分)。
- 参数:
- dfn类数组
第一个参数(正浮点数)。
- dfd类数组
第二个参数(正浮点数)。
- x类数组
参数(非负浮点数)。
- outndarray,可选
用于函数值的可选输出数组
- 返回:
- y标量或 ndarray
在 x 处的参数 dfn 和 dfd 的补 F 分布函数。
另请参见
fdtr
F 分布累积分布函数
fdtri
F 分布逆累积分布函数
scipy.stats.f
F 分布
备注
根据公式使用正则不完全贝塔函数:
\[F(d_n, d_d; x) = I_{d_d/(d_d + xd_n)}(d_d/2, d_n/2).\]Cephes 中 fdtrc 例程 [1] 的包装器
fdtrc
。F 分布也可作为scipy.stats.f
使用。与scipy.stats.f
的sf
方法相比,直接调用fdtrc
可以提高性能(参见下文中的最后一个示例)。参考
[1]Cephes 数学函数库,http://www.netlib.org/cephes/
示例
计算
x=1
时的dfn=1
和dfd=2
的函数。>>> import numpy as np >>> from scipy.special import fdtrc >>> fdtrc(1, 2, 1) 0.42264973081037427
通过为 x 提供一个 NumPy 数组来计算几个点的函数。
>>> x = np.array([0.5, 2., 3.]) >>> fdtrc(1, 2, x) array([0.5527864 , 0.29289322, 0.22540333])
绘制几个参数集的函数。
>>> 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 ... fdtrc_vals = fdtrc(dfn, dfd, x) ... ax.plot(x, fdtrc_vals, label=rf"$d_n={dfn},\, d_d={dfd}$", ... ls=style) >>> ax.legend() >>> ax.set_xlabel("$x$") >>> ax.set_title("F distribution survival function") >>> plt.show()
F 分布也可作为
scipy.stats.f
使用。与scipy.stats.f
的sf
方法相比,直接使用fdtrc
可能更快,特别是对于小数组或单个值。要获得相同的结果,必须使用以下参数化:stats.f(dfn, dfd).sf(x)=fdtrc(dfn, dfd, x)
.>>> from scipy.stats import f >>> dfn, dfd = 1, 2 >>> x = 1 >>> fdtrc_res = fdtrc(dfn, dfd, x) # this will often be faster than below >>> f_dist_res = f(dfn, dfd).sf(x) >>> f_dist_res == fdtrc_res # test that results are equal True