scipy.special.stdtrit#
- scipy.special.stdtrit(df, p, out=None) = <ufunc 'stdtrit'>#
学生 t 分布的第 p 分位数。
此函数是学生 t 分布累积分布函数 (CDF) 的逆,返回的 t 满足 stdtr(df, t) = p。
返回自变量 t,使得 stdtr(df, t) 等于 p。
- 参数:
- dfarray_like
自由度
- parray_like
概率
- outndarray, 可选
函数结果的可选输出数组
- 返回:
- t标量或 ndarray
使得 t 满足
stdtr(df, t) == p
的值
另请参见
stdtr
学生 t 分布累积分布函数
stdtridf
关于 df 的 stdtr 的逆
scipy.stats.t
学生 t 分布
注释
学生 t 分布也可用作
scipy.stats.t
。直接调用stdtrit
可提高性能,相较于scipy.stats.t
的ppf
方法而言(请看下面的最后一个例子)。示例
stdtrit
表示学生 t 分布 CDF 的逆,该分布可表示为stdtr
。此处,我们计算x=1
时df
的 CDF。对于鉴别自由度 df 和计算得出的 CDF 值,stdtrit
返回1
(误差值在浮点数范围内)。>>> import numpy as np >>> from scipy.special import stdtr, stdtrit >>> import matplotlib.pyplot as plt >>> df = 3 >>> x = 1 >>> cdf_value = stdtr(df, x) >>> stdtrit(df, cdf_value) 0.9999999994418539
为三个不同的自由度绘制函数。
>>> x = np.linspace(0, 1, 1000) >>> parameters = [(1, "solid"), (2, "dashed"), (5, "dotted")] >>> fig, ax = plt.subplots() >>> for (df, linestyle) in parameters: ... ax.plot(x, stdtrit(df, x), ls=linestyle, label=f"$df={df}$") >>> ax.legend() >>> ax.set_ylim(-10, 10) >>> ax.set_title("Student t distribution quantile function") >>> plt.show()
通过为 df 提供 NumPy 数组或列表,可以同时针对多个自由度计算函数。
>>> stdtrit([1, 2, 3], 0.7) array([0.72654253, 0.6172134 , 0.58438973])
也可以通过为 df 和 p 提供形状兼容于广播的数组,同时针对多个自由度计算函数中的多个点。以 3 个自由度针对 4 个点计算
stdtrit
,得到一个 3x4 的形状数组。>>> dfs = np.array([[1], [2], [3]]) >>> p = np.array([0.2, 0.4, 0.7, 0.8]) >>> dfs.shape, p.shape ((3, 1), (4,))
>>> stdtrit(dfs, p) array([[-1.37638192, -0.3249197 , 0.72654253, 1.37638192], [-1.06066017, -0.28867513, 0.6172134 , 1.06066017], [-0.97847231, -0.27667066, 0.58438973, 0.97847231]])
t 分布也可用作
scipy.stats.t
。直接调用stdtrit
的速度可能远高于调用scipy.stats.t
的ppf
方法。为了获得相同的结果,必须使用以下参数设置:scipy.stats.t(df).ppf(x) = stdtrit(df, x)
。>>> from scipy.stats import t >>> df, x = 3, 0.5 >>> stdtrit_result = stdtrit(df, x) # this can be faster than below >>> stats_result = t(df).ppf(x) >>> stats_result == stdtrit_result # test that results are equal True