如何从(任意)连续概率分布进行模拟?

How to simulate from an (arbitrary) continuous probability distribution?

我有这样的概率密度函数:

def p1(x):
    return ( sin(x) ** (-0.75) ) / (4.32141 * (x ** (1/5)))

我想用这个 pdf 来降低 [0; 1] 上的随机值。我怎样才能做随机值?

正如 Francis 所提到的,您最好了解您的分布的 cdf。 无论如何 scipy 提供了一种方便的方式来定义自定义分布。 看起来很像

from scipy import stats
class your_distribution(stats.rv_continuous):
    def _pdf(self, x):
        return ( sin(x) ** (-0.75) ) / (4.32141 * (x ** (1/5)))

distribution = your_distribution()
distribution.rvs()

在不使用 scipy 并给定 PDF 数值抽样的情况下,您可以使用累积分布和线性插值进行抽样。下面的代码假定 x 中的间距相等。可以对其进行修改以对任意采样的 PDF 进行集成。请注意,它将 PDF 重新归一化为 x 范围内的 1。

import numpy as np

def randdist(x, pdf, nvals):
    """Produce nvals random samples from pdf(x), assuming constant spacing in x."""

    # get cumulative distribution from 0 to 1
    cumpdf = np.cumsum(pdf)
    cumpdf *= 1/cumpdf[-1]

    # input random values
    randv = np.random.uniform(size=nvals)

    # find where random values would go
    idx1 = np.searchsorted(cumpdf, randv)
    # get previous value, avoiding division by zero below
    idx0 = np.where(idx1==0, 0, idx1-1)
    idx1[idx0==0] = 1

    # do linear interpolation in x
    frac1 = (randv - cumpdf[idx0]) / (cumpdf[idx1] - cumpdf[idx0])
    randdist = x[idx0]*(1-frac1) + x[idx1]*frac1

    return randdist