@dmckeeが言うように、特定の確率分布を生成するために必要なのは、累積分布関数の逆である
分位関数であるようです。
問題は次のようになります: 与えられた連続ヒストグラムを表す分位点関数を生成して保存する最良の方法は何ですか? 答えは入力の形状に大きく依存すると感じています-それが何らかのパターンに従う場合、最も一般的なケースよりも単純化する必要があります。行ったらここで更新します。
編集:
今週、この問題を思い出させる会話をしました。ヒストグラムを方程式として記述するのをやめて、テーブルだけを保存すると、O(1) 時間で選択を行うことができますか? O(N lgN) の構築時間を犠牲にして、精度を損なうことなくできることがわかりました。
N 項目の配列を作成します。配列への一様ランダム選択は、確率 1/N のアイテムを見つけます。アイテムごとに、このアイテムが実際に選択されるべきヒットの割合と、このアイテムが選択されていない場合に選択される別のアイテムのインデックスを格納します。
加重ランダム サンプリング、C 実装:
//data structure
typedef struct wrs_data {
double share;
int pair;
int idx;
} wrs_t;
//sort helper
int wrs_sharecmp(const void* a, const void* b) {
double delta = ((wrs_t*)a)->share - ((wrs_t*)b)->share;
return (delta<0) ? -1 : (delta>0);
}
//Initialize the data structure
wrs_t* wrs_create(int* weights, size_t N) {
wrs_t* data = malloc(sizeof(wrs_t));
double sum = 0;
int i;
for (i=0;i<N;i++) { sum+=weights[i]; }
for (i=0;i<N;i++) {
//what percent of the ideal distribution is in this bucket?
data[i].share = weights[i]/(sum/N);
data[i].pair = N;
data[i].idx = i;
}
//sort ascending by size
qsort(data,N, sizeof(wrs_t),wrs_sharecmp);
int j=N-1; //the biggest bucket
for (i=0;i<j;i++) {
int check = i;
double excess = 1.0 - data[check].share;
while (excess>0 && i<j) {
//If this bucket has less samples than a flat distribution,
//it will be hit more frequently than it should be.
//So send excess hits to a bucket which has too many samples.
data[check].pair=j;
// Account for the fact that the paired bucket will be hit more often,
data[j].share -= excess;
excess = 1.0 - data[j].share;
// If paired bucket now has excess hits, send to new largest bucket at j-1
if (excess >= 0) { check=j--;}
}
}
return data;
}
int wrs_pick(wrs_t* collection, size_t N)
//O(1) weighted random sampling (after preparing the collection).
//Randomly select a bucket, and a percentage.
//If the percentage is greater than that bucket's share of hits,
// use it's paired bucket.
{
int idx = rand_in_range(0,N);
double pct = rand_percent();
if (pct > collection[idx].share) { idx = collection[idx].pair; }
return collection[idx].idx;
}
編集 2: 少し調べたところ、O(N) 時間で構築を行うことさえ可能であることがわかりました。注意深く追跡すれば、大小のビンを見つけるために配列をソートする必要はありません。 更新された実装はこちら