Weighted random selection from array

ArraysAlgorithmRandom

Arrays Problem Overview


I would like to randomly select one element from an array, but each element has a known probability of selection.

All chances together (within the array) sums to 1.

What algorithm would you suggest as the fastest and most suitable for huge calculations?

Example:

id => chance
array[
    0 => 0.8
    1 => 0.2
]

for this pseudocode, the algorithm in question should on multiple calls statistically return four elements on id 0 for one element on id 1.

Arrays Solutions


Solution 1 - Arrays

Compute the discrete cumulative density function (CDF) of your list -- or in simple terms the array of cumulative sums of the weights. Then generate a random number in the range between 0 and the sum of all weights (might be 1 in your case), do a binary search to find this random number in your discrete CDF array and get the value corresponding to this entry -- this is your weighted random number.

Solution 2 - Arrays

The algorithm is straight forward

rand_no = rand(0,1)
for each element in array 
     if(rand_num < element.probablity)
          select and break
     rand_num = rand_num - element.probability

Solution 3 - Arrays

I have found this article to be the most useful at understanding this problem fully. This stackoverflow question may also be what you're looking for.


I believe the optimal solution is to use the Alias Method (wikipedia). It requires O(n) time to initialize, O(1) time to make a selection, and O(n) memory.

Here is the algorithm for generating the result of rolling a weighted n-sided die (from here it is trivial to select an element from a length-n array) as take from this article. The author assumes you have functions for rolling a fair die (floor(random() * n)) and flipping a biased coin (random() < p).

> Algorithm: Vose's Alias Method > ============================== > > Initialization: > --------------- > > 1. Create arrays Alias and Prob, each of size n. > 2. Create two worklists, Small and Large. > 3. Multiply each probability by n. > 4. For each scaled probability pi: > 1. If pi < 1, add i to Small. > 2. Otherwise (pi ≥ 1), add i to Large. > 5. While Small and Large are not empty: (Large might be emptied first) > 1. Remove the first element from Small; call it l. > 2. Remove the first element from Large; call it g. > 3. Set Prob[l]=pl. > 4. Set Alias[l]=g. > 5. Set pg := (pg+pl)−1. (This is a more numerically stable option.) > 6. If pg<1, add g to Small. > 7. Otherwise (pg ≥ 1), add g to Large. > 6. While Large is not empty: > 1. Remove the first element from Large; call it g. > 2. Set Prob[g] = 1. > 7. While Small is not empty: This is only possible due to numerical instability. > 1. Remove the first element from Small; call it l. > 2. Set Prob[l] = 1. > > Generation: > ----------- > > 1. Generate a fair die roll from an n-sided die; call the side i. > 2. Flip a biased coin that comes up heads with probability Prob[i]. > 3. If the coin comes up "heads," return i. > 4. Otherwise, return Alias[i].

Solution 4 - Arrays

Here is an implementation in Ruby:

def weighted_rand(weights = {})
  raise 'Probabilities must sum up to 1' unless weights.values.inject(&:+) == 1.0
  raise 'Probabilities must not be negative' unless weights.values.all? { |p| p >= 0 }
  # Do more sanity checks depending on the amount of trust in the software component using this method,
  # e.g. don't allow duplicates, don't allow non-numeric values, etc.
  
  # Ignore elements with probability 0
  weights = weights.reject { |k, v| v == 0.0 }   # e.g. => {"a"=>0.4, "b"=>0.4, "c"=>0.2}

  # Accumulate probabilities and map them to a value
  u = 0.0
  ranges = weights.map { |v, p| [u += p, v] }   # e.g. => [[0.4, "a"], [0.8, "b"], [1.0, "c"]]

  # Generate a (pseudo-)random floating point number between 0.0(included) and 1.0(excluded)
  u = rand   # e.g. => 0.4651073966724186
  
  # Find the first value that has an accumulated probability greater than the random number u
  ranges.find { |p, v| p > u }.last   # e.g. => "b"
end

How to use:

weights = {'a' => 0.4, 'b' => 0.4, 'c' => 0.2, 'd' => 0.0}

weighted_rand weights

What to expect roughly:

sample = 1000.times.map { weighted_rand weights }
sample.count('a') # 396
sample.count('b') # 406
sample.count('c') # 198
sample.count('d') # 0

Solution 5 - Arrays

An example in ruby

#each element is associated with its probability
a = {1 => 0.25 ,2 => 0.5 ,3 => 0.2, 4 => 0.05}

#at some point, convert to ccumulative probability
acc = 0
a.each { |e,w| a[e] = acc+=w }

#to select an element, pick a random between 0 and 1 and find the first   
#cummulative probability that's greater than the random number
r = rand
selected = a.find{ |e,w| w>r }

p selected[0]

Solution 6 - Arrays

This can be done in O(1) expected time per sample as follows.

Compute the CDF F(i) for each element i to be the sum of probabilities less than or equal to i.

Define the range r(i) of an element i to be the interval [F(i - 1), F(i)].

For each interval [(i - 1)/n, i/n], create a bucket consisting of the list of the elements whose range overlaps the interval. This takes O(n) time in total for the full array as long as you are reasonably careful.

When you randomly sample the array, you simply compute which bucket the random number is in, and compare with each element of the list until you find the interval that contains it.

The cost of a sample is O(the expected length of a randomly chosen list) <= 2.

Solution 7 - Arrays

This is a PHP code I used in production:

/**
 * @return \App\Models\CdnServer
*/
protected function selectWeightedServer(Collection $servers)
{
    if ($servers->count() == 1) {
        return $servers->first();
    }

    $totalWeight = 0;

    foreach ($servers as $server) {
        $totalWeight += $server->getWeight();
    }

    // Select a random server using weighted choice
    $randWeight = mt_rand(1, $totalWeight);
    $accWeight = 0;

    foreach ($servers as $server) {
        $accWeight += $server->getWeight();

        if ($accWeight >= $randWeight) {
            return $server;
        }
    }
}

Solution 8 - Arrays

Ruby solution using the pickup gem:

require 'pickup'

chances = {0=>80, 1=>20}
picker = Pickup.new(chances)

Example:

5.times.collect {
  picker.pick(5)
}

gave output:

[[0, 0, 0, 0, 0], 
 [0, 0, 0, 0, 0], 
 [0, 0, 0, 1, 1], 
 [0, 0, 0, 0, 0], 
 [0, 0, 0, 0, 1]]

Solution 9 - Arrays

If the array is small, I would give the array a length of, in this case, five and assign the values as appropriate:

array[
    0 => 0
    1 => 0
    2 => 0
    3 => 0
    4 => 1
]

Solution 10 - Arrays

"Wheel of Fortune" O(n), use for small arrays only:

function pickRandomWeighted(array, weights) {
	var sum = 0;
	for (var i=0; i<weights.length; i++) sum += weights[i];
	for (var i=0, pick=Math.random()*sum; i<weights.length; i++, pick-=weights[i])
		if (pick-weights[i]<0) return array[i];
}

Solution 11 - Arrays

the trick could be to sample an auxiliary array with elements repetitions which reflect the probability

Given the elements associated with their probability, as percentage:

h = {1 => 0.5, 2 => 0.3, 3 => 0.05, 4 => 0.05 }

auxiliary_array = h.inject([]){|memo,(k,v)| memo += Array.new((100*v).to_i,k) }   

ruby-1.9.3-p194 > auxiliary_array 
 => [1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,                                 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 3, 3, 3, 3, 3, 4, 4, 4, 4, 4] 

auxiliary_array.sample

if you want to be as generic as possible, you need to calculate the multiplier based on the max number of fractional digits, and use it in the place of 100:

m = 10**h.values.collect{|e| e.to_s.split(".").last.size }.max

Solution 12 - Arrays

Another possibility is to associate, with each element of the array, a random number drawn from an exponential distribution with parameter given by the weight for that element. Then pick the element with the lowest such ‘ordering number’. In this case, the probability that a particular element has the lowest ordering number of the array is proportional to the array element's weight.

This is O(n), doesn't involve any reordering or extra storage, and the selection can be done in the course of a single pass through the array. The weights must be greater than zero, but don't have to sum to any particular value.

This has the further advantage that, if you store the ordering number with each array element, you have the option to sort the array by increasing ordering number, to get a random ordering of the array in which elements with higher weights have a higher probability of coming early (I've found this useful when deciding which DNS SRV record to pick, to decide which machine to query).

Repeated random sampling with replacement requires a new pass through the array each time; for random selection without replacement, the array can be sorted in order of increasing ordering number, and k elements can be read out in that order.

See the Wikipedia page about the exponential distribution (in particular the remarks about the distribution of the minima of an ensemble of such variates) for the proof that the above is true, and also for the pointer towards the technique of generating such variates: if T has a uniform random distribution in [0,1), then Z=-log(1-T)/w (where w is the parameter of the distribution; here the weight of the associated element) has an exponential distribution.

That is:

  1. For each element i in the array, calculate zi = -log(T)/wi (or zi = -log(1-T)/wi), where T is drawn from a uniform distribution in [0,1), and wi is the weight of the I'th element.
  2. Select the element which has the lowest zi.

The element i will be selected with probability wi/(w1+w2+...+wn).

See below for an illustration of this in Python, which takes a single pass through the array of weights, for each of 10000 trials.

import math, random

random.seed()

weights = [10, 20, 50, 20]
nw = len(weights)
results = [0 for i in range(nw)]

n = 10000
while n > 0: # do n trials
    smallest_i = 0
    smallest_z = -math.log(1-random.random())/weights[0]
    for i in range(1, nw):
        z = -math.log(1-random.random())/weights[i]
        if z < smallest_z:
            smallest_i = i
            smallest_z = z

    results[smallest_i] += 1 # accumulate our choices

    n -= 1

for i in range(nw):
    print("{} -> {}".format(weights[i], results[i]))

Edit (for history): after posting this, I felt sure I couldn't be the first to have thought of it, and another search with this solution in mind shows that this is indeed the case.

  • In an answer to a similar question, Joe K suggested this algorithm (and also noted that someone else must have thought of it before).
  • Another answer to that question, meanwhile, pointed to Efraimidis and Spirakis (preprint), which describes a similar method.
  • I'm pretty sure, looking at it, that the Efraimidis and Spirakis is in fact the same exponential-distribution algorithm in disguise, and this is corroborated by a passing remark in the Wikipedia page about Reservoir sampling that ‘[e]quivalently, a more numerically stable formulation of this algorithm’ is the exponential-distribution algorithm above. The reference there is to a sequence of lecture notes by Richard Arratia; the relevant property of the exponential distribution is mentioned in Sect.1.3 (which mentions that something similar to this is a ‘familiar fact’ in some circles), but not its relationship to the Efraimidis and Spirakis algorithm.

Solution 13 - Arrays

I am going to improve on https://stackoverflow.com/users/626341/masciugo answer.

Basically you make one big array where the number of times an element shows up is proportional to the weight.

It has some drawbacks.

  1. The weight might not be integer. Imagine element 1 has probability of pi and element 2 has probability of 1-pi. How do you divide that? Or imagine if there are hundreds of such elements.
  2. The array created can be very big. Imagine if least common multiplier is 1 million, then we will need an array of 1 million element in the array we want to pick.

To counter that, this is what you do.

Create such array, but only insert an element randomly. The probability that an element is inserted is proportional the the weight.

Then select random element from usual.

So if there are 3 elements with various weight, you simply pick an element from an array of 1-3 elements.

Problems may arise if the constructed element is empty. That is it just happens that no elements show up in the array because their dice roll differently.

In which case, I propose that the probability an element is inserted is p(inserted)=wi/wmax.

That way, one element, namely the one that has the highest probability, will be inserted. The other elements will be inserted by the relative probability.

Say we have 2 objects.

element 1 shows up .20% of the time. element 2 shows up .40% of the time and has the highest probability.

In thearray, element 2 will show up all the time. Element 1 will show up half the time.

So element 2 will be called 2 times as many as element 1. For generality all other elements will be called proportional to their weight. Also the sum of all their probability are 1 because the array will always have at least 1 element.

Solution 14 - Arrays

I would imagine that numbers greater or equal than 0.8 but less than 1.0 selects the third element.

In other terms:

x is a random number between 0 and 1

if 0.0 >= x < 0.2 : Item 1

if 0.2 >= x < 0.8 : Item 2

if 0.8 >= x < 1.0 : Item 3

Attributions

All content for this solution is sourced from the original question on Stackoverflow.

The content on this page is licensed under the Attribution-ShareAlike 4.0 International (CC BY-SA 4.0) license.

Content TypeOriginal AuthorOriginal Content on Stackoverflow
QuestionMikulas DiteView Question on Stackoverflow
Solution 1 - ArraysSven MarnachView Answer on Stackoverflow
Solution 2 - ArraysRohit JView Answer on Stackoverflow
Solution 3 - ArraysSimon Baumgardt-WellanderView Answer on Stackoverflow
Solution 4 - ArraysknugieView Answer on Stackoverflow
Solution 5 - Arrayskrusty.arView Answer on Stackoverflow
Solution 6 - ArraysjonderryView Answer on Stackoverflow
Solution 7 - ArraysAgent CoopView Answer on Stackoverflow
Solution 8 - ArraysdevstopfixView Answer on Stackoverflow
Solution 9 - ArraysthejhView Answer on Stackoverflow
Solution 10 - ArraysSarsaparillaView Answer on Stackoverflow
Solution 11 - ArraysmasciugoView Answer on Stackoverflow
Solution 12 - ArraysNorman GrayView Answer on Stackoverflow
Solution 13 - Arraysuser4951View Answer on Stackoverflow
Solution 14 - ArraysRyan RichView Answer on Stackoverflow