Articles Random Number Generation and Sampling Methods by Peter Occil

emailx45

Бывалый
Staff member
Moderator
Random Number Generation and Sampling Methods
Peter Occil - 22/Jun/2020
[SHOWTOGROUPS=4,20]

Has many ways applications can sample from a random number generator, with pseudocode in many cases.

This page discusses many ways applications can generate and sample random content using an underlying random number generator (RNG), often with pseudocode. Those methods include ways to generate uniform random numbers from an underlying RNG; randomized content and conditions; and non-uniform random numbers, including weighted choice, the Poisson distribution, and other probability distributions. Sample Python code that implements many of the methods in this document is available.


This page discusses many ways applications can generate and sample random content using an underlying random number generator (RNG), often with pseudocode. Those methods include—

  • ways to generate uniform random numbers from an underlying RNG (such as the core method, RNDINT(N)),
  • ways to generate randomized content and conditions, such as true/false conditions, shuffling, and sampling unique items from a list, and
  • generating non-uniform random numbers, including weighted choice, the Poisson distribution, and other probability distributions.
Sample Python code that implements many of the methods in this document is available, together with documentation for the code.

All the random number methods presented on this page are ultimately based on an underlying RNG; however, the methods make no assumptions on that RNG's implementation (e.g., whether that RNG uses only its input and its state to produce numbers) or on that RNG's statistical quality or predictability.

In general, this document does not cover:

  • How to choose an underlying RNG for a particular application, including in terms of security, performance, and quality. I have written more on RNG recommendations in another document.
  • How to generate random security parameters such as encryption keys.
  • Randomness extraction (also known as unbiasing, deskewing, or whitening), such as hash functions and von Neumann unbiasing.
  • Variance reduction techniques such as importance sampling or common random numbers.
Notation and Definitions
In this document, a random number generator (RNG) means software and/or hardware that seeks to generate numbers with the property that each possible outcome is as likely as any other without influence by anything else(1).

The pseudocode conventions apply to this document.

This document uses the following notation for intervals:

  • [a, b) means "a or greater, but less than b".
  • (a, b) means "greater than a, but less than b".
  • (a, b] means "greater than a and less than or equal to b".
  • [a, b] means "a or greater and b or less".
In this document:

  • log1p(x) is equivalent to ln(1 + x) and is a robust alternative where x is a floating-point number (Pedersen 2018)(2).
  • MakeRatio(n, d) creates a rational number with the given numerator n and denominator d.
  • Sum(list) calculates the sum of the numbers in the given list. Note, however, that summing floating-point numbers naïvely can introduce round-off errors. Kahan summation along with parallel reductions can be a more robust way than the naïve approach to compute the sum of three or more floating-point numbers.

Uniform Random Integers
This section describes how an underlying RNG can be used to generate independent uniform random integers. This section describes four methods: RNDINT, RNDINTEXC, RNDINTRANGE, RNDINTEXCRANGE. Of these, RNDINT, described next, can serve as the basis for the remaining methods.

RNDINT: Random Integers in [0, N]
In this document, RNDINT(maxInclusive) is the core method for using an underlying RNG to generate independent uniform random integers in the interval [0, maxInclusive].(3). The following are some ways to implement RNDINT:

  1. Rejection sampling, which roughly means: sample in a bigger range until a sampled number fits the smaller range. This method is unbiased but has a variable running time.
  2. Reduction method. Generate bignumber, an N-bit random integer with many more bits than maxInclusive + 1 has, then find—
    • rem(bignumber, maxInclusive + 1) (modulo reduction), or
    • (bignumber * (maxInclusive + 1)) >> N (see (Lemire 2016)(4)).
  3. Either method's running time is theoretically constant, but can introduce a so-called modulo bias (some numbers are slightly more likely to be chosen than others), which, however, gets smaller the more bits bignumber has.
The pseudocode below implements RNDINT and, depending on the case, uses rejection sampling or the "fast dice roller" method (Lumbroso 2013)(5). In the pseudocode:

If the underlying RNG produces:Then RNG() is:And MODULUS is:
32-bit non-negative integers.The underlying RNG.232.
64-bit non-negative integers.The underlying RNG.264.
Integers in the interval [0, n).The underlying RNG.n.
Numbers in the interval [0, 1) known to be evenly spaced by a number p (e.g., dSFMT).The underlying RNG, except with its outputs multiplied by p.1/p.
Numbers in the interval [0, 1), where numbers in [0, 0.5) and those in [0.5, 1) are known to occur with equal probability (e.g., Java's Math.random()).An RNG that outputs 0 if the underlying RNG outputs a number less than 0.5, or 1 otherwise.2.
Numbers not specified above.A new RNG formed by writing the underlying RNG's outputs to a stream of memory units (such as 8-bit bytes) and using a randomness extraction technique to transform that stream to n-bit integers.2n.
Code:
METHOD RndIntHelperNonPowerOfTwo(maxInclusive)
  if maxInclusive <= MODULUS - 1:
    // NOTE: If the programming language implements
    // division with two integers by discarding the result's
    // fractional part, the division can be used as is without
    // using a "floor" function.
    nPlusOne = maxInclusive + 1
    maxexc = floor((MODULUS - 1) / nPlusOne) * nPlusOne
    while true
      ret = RNG()
      if ret < nPlusOne: return ret
      if ret < maxexc: return rem(ret, nPlusOne)
    end
  else
    cx = floor(maxInclusive / MODULUS) + 1
    while true
       ret = cx * RNG()
       // NOTE: The addition operation below should
       // check for integer overflow and should reject the
       // number if overflow would result.
       ret = ret + RNDINT(cx - 1)
       if ret <= maxInclusive: return ret
    end
  end
END METHOD

METHOD RndIntHelperPowerOfTwo(maxInclusive)
  // NOTE: Finds the number of bits minus 1 needed
  // to represent MODULUS (in other words, the number
  // of random bits returned by RNG() ). This will
  // be a constant here, though.
  modBits = ln(MODULUS)/ln(2)
  // Fast dice roller algorithm.
  x = 1
  y = 0
  nextBit = modBits
  rngv = 0
  while true
    if nextBit >= modBits
      nextBit = 0
      rngv = RNG()
    end
    x = x * 2
    y = y * 2 + rem(rngv, 2)
    rngv = floor(rngv / 2)
    nextBit = nextBit + 1
    if x > maxInclusive
      if y <= maxInclusive: return y
      x = x - maxInclusive - 1
      y = y - maxInclusive - 1
    end
  end
END METHOD

METHOD RNDINT(maxInclusive)
  // maxInclusive must be 0 or greater
  if maxInclusive < 0: return error
  if maxInclusive == 0: return 0
  if maxInclusive == MODULUS - 1: return RNG()
  // NOTE: Finds the number of bits minus 1 needed
  // to represent MODULUS (if it's a power of 2).
  // This will be a constant here, though.  If modBits
  // is an integer, MODULUS is a power of 2, which
  // is checked below.
  modBits=ln(MODULUS)/ln(2)
  if floor(modBits) == modBits
    return RndIntHelperPowerOfTwo(maxInclusive)
  else
    return RndIntHelperNonPowerOfTwo(maxInclusive)
  end
END METHOD
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
RNDINTRANGE: Random Integers in [N, M]
The naïve way of generating a random integer in the interval [minInclusive, maxInclusive], shown below, works well for nonnegative integers and arbitrary-precision integers.

Code:
METHOD RNDINTRANGE(minInclusive, maxInclusive)
  // minInclusive must not be greater than maxInclusive
  if minInclusive > maxInclusive: return error
  return minInclusive + RNDINT(maxInclusive - minInclusive)
END METHOD
The naïve approach won't work as well, though, if the integer format can express negative and nonnegative integers and the difference between maxInclusive and minInclusive exceeds the highest possible integer for the format. For integer formats that can express—

  1. every integer in the interval [-1 - MAXINT, MAXINT] (e.g., Java int, short, or long), or
  2. every integer in the interval [-MAXINT, MAXINT] (e.g., Java float and double and .NET's implementation of System.Decimal),
where MAXINT is an integer greater than 0, the following pseudocode for RNDINTRANGE can be used.

Code:
METHOD RNDINTRANGE(minInclusive, maxInclusive)
   // minInclusive must not be greater than maxInclusive
   if minInclusive > maxInclusive: return error
   if minInclusive == maxInclusive: return minInclusive
   if minInclusive==0: return RNDINT(maxInclusive)
   // Difference does not exceed maxInclusive
   if minInclusive > 0 or minInclusive + MAXINT >= maxInclusive
       return minInclusive + RNDINT(maxInclusive - minInclusive)
   end
   while true
     ret = RNDINT(MAXINT)
     // NOTE: For case 1, use the following line:
     if RNDINT(1) == 0: ret = -1 - ret
     // NOTE: For case 2, use the following three lines
     // instead of the preceding line; these lines
     // avoid negative zero
     // negative = RNDINT(1) == 0
     // if negative: ret = 0 - ret
     // if negative and ret == 0: continue
     if ret >= minInclusive and ret <= maxInclusive: return ret
   end
END METHOD
RNDINTEXC: Random Integers in [0, N)
RNDINTEXC(maxExclusive), which generates a random integer in the interval [0, maxExclusive), can be implemented as follows(6):

Code:
METHOD RNDINTEXC(maxExclusive)
   if maxExclusive <= 0: return error
   return RNDINT(maxExclusive - 1)
END METHOD
Note: RNDINTEXC is not given as the core random generation method because it's harder to fill integers in popular integer formats with random bits with this method.
RNDINTEXCRANGE: Random Integers in [N, M)
RNDINTEXCRANGE returns a random integer in the interval [minInclusive, maxExclusive). It can be implemented using RNDINTRANGE, as the following pseudocode demonstrates.

Hide Copy Code
METHOD RNDINTEXCRANGE(minInclusive, maxExclusive)
if minInclusive >= maxExclusive: return error
if minInclusive >=0: return RNDINTRANGE(
minInclusive, maxExclusive - 1)
while true
ret = RNDINTRANGE(minInclusive, maxExclusive)
if ret < maxExclusive: return ret
end
END METHOD

Uniform Random Bits
The idiom RNDINT((1 << b) - 1) is a naïve way of generating a uniform random b-bit integer (with maximum 2b - 1).

In practice, memory is usually divided into bytes, or 8-bit integers in the interval [0, 255]. In this case, a block of memory can be filled with random bits—
  • by setting each byte in the block to RNDINT(255), or
  • via an RNG that outputs one or more 8-bit chunks at a time.

Examples of Using the RNDINT Family
  1. To generate a random number that's either -1 or 1 (a Rademacher random number), one of the following idioms can be used: (RNDINT(1) * 2 - 1) or (RNDINTEXC(2) * 2 - 1).
  2. To generate a random integer that's divisible by a positive integer (DIV), generate the integer with any method (such as RNDINT), let X be that integer, then generate X - rem(X, DIV) if X >= 0, or X - (DIV - rem(abs(X), DIV)) otherwise. (Depending on the method, the resulting integer may be out of range, in which case this procedure is to be repeated.)
  3. A random 2-dimensional point on an NxM grid can be expressed as a single integer as follows:
    • To generate a random NxM point P, generate P = RNDINT(N * M - 1) (P is thus in the interval [0, N * M)).
    • To convert a point P to its 2D coordinates, generate [rem(P, N), floor(P / N)]. (Each coordinate starts at 0.)
    • To convert 2D coordinates coord to an NxM point, generate P = coord[1] * N + coord[0].
  4. To simulate rolling an N-sided die (N greater than 1), generate a random number in the interval [1, N] by RNDINTRANGE(1, N).
  5. To generate a random integer with one base-10 digit: RNDINTRANGE(0, 9).
  6. To generate a random integer with N base-10 digits (where N is 2 or greater), where the first digit can't be 0: RNDINTRANGE(pow(10, N-1), pow(10, N) - 1).
  7. To generate a random number in the interval [mn, mx) in increments equal to step: mn+step*RNDINTEXC(ceil((mx-mn)/(1.0*step))).
  8. To generate a random integer in the interval [0, X):
    • And favor numbers in the middle: floor((RNDINTEXC(X) + RNDINTEXC(X)) / 2).
    • And strongly favor low numbers: floor(RNDINTEXC(X) * RNDINTEXC(X) / X).
    • And favor high numbers: max(RNDINTEXC(X), RNDINTEXC(X)).
    • And strongly favor high numbers: X - 1 - floor(RNDINTEXC(X) * RNDINTEXC(X) / X) or max(RNDINTEXC(X), RNDINTEXC(X), RNDINTEXC(X)).

[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Randomization Techniques
This section describes commonly used randomization techniques, such as shuffling, selection of several unique items, and creating random strings of text.

Boolean (True/False) Conditions
To generate a condition that is true at the specified probabilities, use the following idioms in an if condition:

  • True or false with equal probability: RNDINT(1) == 0.
  • True with X percent probability: RNDINTEXC(100) < X.
  • True with probability X/Y (a Bernoulli trial): RNDINTEXC(Y) < X.
  • True with odds of X to Y: RNDINTEXC(X + Y) < X.
The following helper method generates 1 with probability x/y and 0 otherwise:

Code:
METHOD ZeroOrOne(x,y)
  if RNDINTEXC(y)<x: return 1
  return 0
END METHOD
The method can also be implemented in the following way (as pointed out by Lumbroso (2013, Appendix B)(5)):
Code:
// NOTE: Modified from Lumbroso
// Appendix B to add 'z==0' and error checks
METHOD ZeroOrOne(x,y)
  if y <= 0: return error
  if x==y: return 1
  z = x
  while true
    z = z * 2
    if z >= y
      if RNDINT(1) == 0: return 1
      z = z - y
    else if z == 0 or RNDINT(1) == 0: return 0
  end
END METHOD
The following method generates 1 with probability exp(-x/y) and 0 otherwise (Canonne et al., 2020)(7):
Code:
METHOD ZeroOrOneExpMinus(x, y)
  if y <= 0 or x<0: return error
  if x > y
    xf = floor(x/y)
    x = mod(x, y)
    if x>0 and ZeroOrOneExpMinus(x, y) == 0: return 0
    for i in 1..xf
      if ZeroOrOneExpMinus(1,1) == 0: return 0
    end
    return 1
  end
  r = 1
  oy = y
  while true
    if ZeroOrOne(x, y) == 0: return r
    if r==1: r=0
    else: r=1
    y = y + oy
  end
END METHOD
Note: An algorithm that transforms "coin flips" biased one way into coin flips biased another way is called a Bernoulli factory (Keane and O'Brien 1994)(8) (Flajolet et al., 2010)(9). The Python sample code includes implementations of several Bernoulli factories.
Examples:
  • True with probability 3/8: RNDINTEXC(8) < 3.
  • True with odds of 100 to 1: RNDINTEXC(101) < 1.
  • True with 20% probability: RNDINTEXC(100) < 20.
  • To generate a random integer in [0, y), or -1 instead if that number would be less than x, using fewer random bits than the naïve approach: if ZeroOrOne(x, y) == 1: return -1; else: return RNDINTEXCRANGE(x, y).
Random Sampling
This section contains ways to choose one or more items from among a collection of them, where each item in the collection has the same chance to be chosen as any other. This is called random sampling and can be done with replacement or without replacement.


Sampling With Replacement: Choosing a Random Item from a List
Sampling with replacement essentially means taking a random item and putting it back. To choose a random item from a list—
  • whose size is known in advance, use the idiom list[RNDINTEXC(size(list))]; or
  • whose size is not known in advance, generate RandomKItemsFromFile(file, 1), in pseudocode given later (the result will be a 1-item list or be an empty list if there are no items).

Sampling Without Replacement: Choosing Several Unique Items
Sampling without replacement essentially means taking a random item without putting it back. There are several approaches for doing a uniform random choice of k unique items or values from among n available items or values, depending on such things as whether n is known and how big n and k are.

  1. If n is not known in advance: Use the reservoir sampling method; see the RandomKItemsFromFile method, in pseudocode given later.
  2. If n is relatively small (for example, if there are 200 available items, or there is a range of numbers from 0 through 200 to choose from):
    • If items have to be chosen from a list in relative order, or if n is 1, then use RandomKItemsInOrder (given later).
    • Otherwise, if the order of the sampled items is unimportant, and each item can be derived from its index (the item's position as an integer starting at 0) without looking it up in a list: Use the RandomKItemsFromFile method.
    • Otherwise, the first three cases below will choose k items in random order:
      • Store all the items in a list, shuffle that list, then choose the first k items from that list.
      • If the items are already stored in a list and the list's order can be changed, then shuffle that list and choose the first k items from the shuffled list.
      • If the items are already stored in a list and the list's order can't be changed, then store the indices to those items in another list, shuffle the latter list, then choose the first k indices (or the items corresponding to those indices) from the latter list.
      • If k is much smaller than n, proceed as in item 3 instead.
  3. If k is much smaller than n:The first three cases below will choose k items in random order:
    • If the items are stored in a list whose order can be changed: Do a partial shuffle of that list, then choose the last k items from that list. A partial shuffle proceeds as given in the section "Shuffling", except the partial shuffle stops after k swaps have been made (where swapping one item with itself counts as a swap).
    • Otherwise, if the items are stored in a list and n is not very large (for example, less than 5000): Store the indices to those items in another list, do a partial shuffle of the latter list, then choose the last k indices (or the items corresponding to those indices) from the latter list.
    • Otherwise, if n is not very large: Store all the items in a list, do a partial shuffle of that list, then choose the last k items from that list.
    • Otherwise, see item 5.
  4. If n - k is much smaller than n and the order of the sampled items is unimportant: Proceed as in item 3, except the partial shuffle involves n - k swaps and the first k items are chosen rather than the last k.
  5. Otherwise (for example, if 32-bit or larger integers will be chosen so that n is 232, or if n is otherwise very large): Create a data structure to store the indices to items already chosen. When a new index to an item is randomly chosen, add it to the data structure if it's not already there, or if it is, choose a new random index. Repeat this process until k indices were added to the data structure this way. Examples of suitable data structures are—
    • a hash table,
    • a compressed bit set (e.g, "roaring bitmap", EWAH), and
    • a self-sorting data structure such as a red–black tree, if the random items are to be retrieved in sorted order or in index order.
  6. Many applications require generating unique random numbers to identify database records or other shared resources, among other reasons. For ways to generate such numbers, see my RNG recommendation document.

[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Shuffling
The Fisher–Yates shuffle method shuffles a list (puts its items in a random order) such that all permutations (arrangements) of that list are equally likely to occur, assuming the RNG it uses can choose any one of those permutations. However, that method is also easy to write incorrectly — see also (Atwood 2007)(10). The following pseudocode is designed to shuffle a list's contents.

Code:
METHOD Shuffle(list)
   // NOTE: Check size of the list early to prevent
   // `i` from being less than 0 if the list's size is 0 and
   // `i` is implemented using an nonnegative integer
   // type available in certain programming languages.
   if size(list) >= 2
      // Set i to the last item's index
      i = size(list) - 1
      while i > 0
         // Choose an item ranging from the first item
         // up to the item given in `i`. Note that the item
         // at i+1 is excluded.
         k = RNDINTEXC(i + 1)
         // The following is wrong since it introduces biases:
         // "k = RNDINTEXC(size(list))"
         // The following produces Sattolo's algorithm (which
         // chooses from among permutations with cycles)
         // rather than a Fisher-Yates shuffle:
         // "k = RNDINTEXC(i)"
         // Swap item at index i with item at index k;
         // in this case, i and k may be the same
         tmp = list[i]
         list[i] = list[k]
         list[k] = tmp
         // Move i so it points to the previous item
         i = i - 1
      end
   end
   // NOTE: An implementation can return the
   // shuffled list, as is done here, but this is not required.
   return list
END METHOD
Notes:
  1. The choice of underlying RNG is important when it comes to shuffling; see my RNG recommendation document on shuffling.
  2. A shuffling algorithm that can be carried out in parallel is described in (Bacher et al., 2015)(11).
  3. A derangement is a permutation where every item moves to a different position. A random derangement can be generated as follows (Merlini et al. 2007)(12): (1) modify Shuffle by adding the following line after k = RNDINTEXC(i + 1): if i == list[k]: return nothing, and changing while i > 0 to while i >= 0; (2) use the following pseudocode with the modified Shuffle method: while True; list = []; for i in 0...n: AddItem(list, n); s=Shuffle(list); if s!=nothing: return s; end.
Random Character Strings
To generate a random string of characters:

  1. Generate a list of the letters, digits, and/or other characters the string can have. Examples are given later in this section.
  2. Build a new string whose characters are chosen at random from that character list. The method, shown in the pseudocode below, demonstrates this. The method samples characters at random with replacement, and returns a list of the sampled characters. (How to convert this list to a text string depends on the programming language and is outside the scope of this page.) The method takes two parameters: characterList is the list from step 1, and stringSize is the number of random characters.
Code:
METHOD RandomString(characterList, stringSize)
  i = 0
  newString = NewList()
  while i < stringSize
    // Choose a character from the list
    randomChar = characterList[RNDINTEXC(size(characterList))]
    // Add the character to the string
    AddItem(newString, randomChar)
    i = i + 1
  end
  return newString
END METHOD
The following are examples of character lists:
  1. For an alphanumeric string, or string of letters and digits, the characters can be the basic digits "0" to "9" (U+0030-U+0039, nos. 48-57), the basic upper case letters "A" to "Z" (U+0041-U+005A, nos. 65-90), and the basic lower case letters "a" to "z" (U+0061-U+007A, nos. 96-122), as given in the Unicode Standard.
  2. For a base-10 digit string, the characters can be the basic digits only.
  3. For a base-16 digit (hexadecimal) string, the characters can be the basic digits as well as the basic letters "A" to "F" or "a" to "f" (not both).
Notes:
  1. If the list of characters is fixed, the list can be created in advance at runtime or compile time, or (if every character takes up the same number of code units) a string type as provided in the programming language can be used to store the list as a string.
  2. Unique random strings: Generating a string of characters that's not only random, but also unique, can be done by storing a list (such as a hash table) of strings already generated and checking newly generated strings against that list.(13)
  3. Word generation: This technique could also be used to generate "pronounceable" words, but this is less flexible than other approaches; see also "Markov Chains".
Pseudocode for Random Sampling
The following pseudocode implements two methods:

  1. RandomKItemsFromFile implements reservoir sampling; it chooses up to k random items from a file of indefinite size (file). Although the pseudocode refers to files and lines, the technique applies to any situation when items are retrieved one at a time from a data set or list whose size is not known in advance. See the comments to find out how RandomKItemsFromFile can be used to choose an item at random only if it meets certain criteria (see "Rejection Sampling" for example criteria).
  2. RandomKItemsInOrder returns a list of up to k random items from the given list (list), in the order in which they appeared in the list. It is based on a technique presented in (Devroye 1986)(14), p. 620.
Code:
METHOD RandomKItemsFromFile(file, k)
  list = NewList()
  j = 0
  index = 0
  while true
    // Get the next line from the file
    item = GetNextLine(file)
    thisIndex = index
    index = index + 1
    // If the end of the file was reached, break
    if item == nothing: break
    // NOTE 1: The following line is OPTIONAL
    // and can be used to choose only random lines
    // in the file that meet certain criteria,
    // expressed as MEETS_CRITERIA below.
    // ------
    // if not MEETS_CRITERIA(item): continue
    // ------
    if j < k // phase 1 (fewer than k items)
      AddItem(list, item)
      // NOTE 2: To add the line number (starting at
      // 0) rather than the item, use the following
      // line instead of the previous one:
      // AddItem(list, thisIndex)
      j = j + 1
    else // phase 2
      j = RNDINT(thisIndex)
      if j < k: list[j] = item
      // NOTE 3: To add the line number (starting at
      // 0) rather than the item, use the following
      // line instead of the previous one:
      // if j < k: list[j] = thisIndex
    end
  end
  // NOTE 4: We shuffle at the end in case k or
  // fewer lines were in the file, since in that
  // case the items would appear in the same
  // order as they appeared in the file
  // if the list weren't shuffled.  This line
  // can be removed, however, if the order of
  // the items in the list is unimportant.
  if size(list)>=2: Shuffle(list)
  return list
end

METHOD RandomKItemsInOrder(list, k)
  n = size(list)
  // Special case if k is 1
  if k==1: return [list[RNDINTEXC(n)]]
  i = 0
  kk = k
  ret = NewList()
  while i < n and size(ret) < k
    u = RNDINTEXC(n - i)
    if u <= kk
      AddItem(ret, list[i])
      kk = kk - 1
    end
    i = i + 1
  end
  return ret
END METHOD
Examples:
  1. Assume a file (file) has the lines "f", "o", "o", "d", in that order. If we modify RandomKItemsFromFile as given in notes 2 and 3 there, and treat MEETS_CRITERIA(item) above as item == "o" (in note 1 of that method), then we can choose a random line number of an "o" line by RandomKItemsFromFile(file, 1).
  2. Removing k random items from a list of n items (list) is equivalent to generating a new list by RandomKItemsInOrder(list, n - k).
  3. Filtering: If an application needs to sample the same list (with or without replacement) repeatedly, but only from among a selection of that list's items, it can create a list of items it wants to sample from (or a list of indices to those items), and sample from the new list instead.(15) This won't work well, though, for lists of indefinite or very large size.
Rejection Sampling
Rejection sampling is a simple and flexible approach for generating random content that meets certain requirements. To implement rejection sampling:
  1. Generate the random content (such as a random number) by any method and with any distribution and range.
  2. If the content doesn't meet predetermined criteria, go to step 1.
Example criteria include checking—
  • whether a random number is not less than a minimum threshold (left-truncation),
  • whether a random number is not greater than a maximum threshold (right-truncation),
  • whether a random number is prime,
  • whether a random number is divisible or not by certain numbers,
  • whether a random number is not among recently chosen random numbers,
  • whether a random number was not already chosen (with the aid of a hash table, red-black tree, or similar structure),
  • whether a random number was not chosen more often in a row than desired,
  • whether a random point is sufficiently distant from previous random points (with the aid of a KD-tree or similar structure),
  • whether a random string matches a regular expression,
  • whether a random number is not included in a "blacklist" of numbers, or
  • two or more of the foregoing criteria.
(KD-trees, hash tables, red-black trees, prime-number testing algorithms, and regular expressions are outside the scope of this document.)

Note: All rejection sampling strategies have a chance to reject data, so they all have a variable running time (in fact, they could run indefinitely). Note that graphics processing units (GPUs) and other devices that run multiple tasks at once work better if all the tasks finish their work at the same time. This is not possible if they all generate a random number via rejection sampling because of its variable running time. If each iteration of the rejection sampler has a low rejection rate, one solution is to have each task run one iteration of the sampler, with its own RNG, then to take the first random number that hasn't been rejected this way by a task (which can fail at a very low rate).(16)
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Random Walks
A random walk is a process with random behavior over time. A simple form of random walk involves generating a random number that changes the state of the walk. The pseudocode below generates a random walk of n random numbers, where STATEJUMP() is the next number to add to the current state (see examples later in this section).

Code:
METHOD RandomWalk(n)
  // Create a new list with an initial state
  list=[0]
  // Add 'n' new numbers to the list.
  for i in 0...n: AddItem(list, list[i] + STATEJUMP())
  return list
END METHOD
Note: A white noise process is simulated by creating a list of independent random numbers generated in the same way. Such a process generally models behavior over time that does not depend on the time or the current state. One example is ZeroOrOne(px,py) (for modeling a Bernoulli process, where each number is 0 or 1 depending on the probability px/py).
Examples:
  1. If STATEJUMP() is RNDINT(1) * 2 - 1, the random walk generates numbers that each differ from the last by -1 or 1, chosen at random.
  2. If STATEJUMP() is ZeroOrOne(px,py) * 2 - 1, the random walk generates numbers that each differ from the last by -1 or 1 depending on the probability px/py.
  3. Binomial process: If STATEJUMP() is ZeroOrOne(px,py), the random walk advances the state with probability px/py.
Random Dates and Times
Pseudocode like the following can be used to choose a random date-and-time bounded by two dates-and-times (date1, date2). In the following pseudocode, DATETIME_TO_NUMBER and NUMBER_TO_DATETIME convert a date-and-time to or from a number, respectively, at the required granularity, for instance, month, day, or hour granularity (the details of such conversion depend on the date-and-time format and are outside the scope of this document).

Code:
dtnum1 = DATETIME_TO_NUMBER(date1)
dtnum2 = DATETIME_TO_NUMBER(date2)
// Choose a random date-and-time
// in [dtnum1, dtnum2].  Any other
// random selection strategy can be
// used here instead.
num = RNDINTRANGE(date1, date2)
result = NUMBER_TO_DATETIME(num)
Randomization in Statistical Testing
Statistical testing uses shuffling and bootstrapping to help draw conclusions on data through randomization.

  • Shuffling is used when each item in a data set belongs to one of several mutually exclusive groups. Here, one or more simulated data sets are generated by shuffling the original data set and regrouping each item in the shuffled data set in order, such that the number of items in each group for the simulated data set is the same as for the original data set.
  • Bootstrapping is a method of creating one or more random samples (simulated data sets) of an existing data set, where the items in each sample are chosen at random with replacement. (Each random sample can contain duplicates this way.) See also (Brownlee 2018)(17).
After creating the simulated data sets, one or more statistics, such as the mean, are calculated for each simulated data set as well as the original data set, then the statistics for the simulated data sets are compared with those of the original (such comparisons are outside the scope of this document).


Markov Chains
A Markov chain models one or more states (for example, individual letters or syllables), and stores the probabilities to transition from one state to another (e.g., "b" to "e" with a chance of 20 percent, or "b" to "b" with a chance of 1 percent). Thus, each state can be seen as having its own list of weights for each relevant state transition (see "Weighted Choice With Replacement). For example, a Markov chain for generating "pronounceable" words, or words similar to natural-language words, can include "start" and "stop" states for the start and end of the word, respectively.

An algorithm called coupling from the past (Propp and Wilson 1996)(18) can sample a state from a Markov chain's stationary distribution, that is, the chain's steady state, by starting multiple chains at different states and running them until they all reach the same state at the same time. The following pseudocode implements coupling from the past. In the method, StateCount is the number of states in the Markov chain, UPDATE(chain, state, random) transitions the Markov chain to the next state given the current state and random numbers, and RANDOM() generates one or more random numbers needed by UPDATE.

Code:
METHOD CFTP(chain)
   states=[]
   // Start multiple chains at different states.  NOTE:
   // If the chain is monotonic (meaning the states
   // are ordered and, whenever state A is less
   // than state B, A's next state is never higher than
   // B's next state), then just two chains can be
   // created instead, starting
   // at the first and last state, respectively.
   numstates=StateCount(chain)
   for i in 0...numstates: AddItem(states, i)
   done=false
   while not done
      // Update each chain with the same randomness
      r=RANDOM()
      for i in 0...numstates: states[i]=UPDATE(chain, states[i], r)
      // Stop when all states are the same
      fs=states[0]
      done=true
      for i in 1...numstates: done=done and states[i]==fs
   end
   return states[0] // Return the steady state
END METHOD
Random Graphs
A graph is a listing of points and the connections between them. The points are called vertices and the connections, edges.

A convenient way to represent a graph is an adjacency matrix. This is an n×n matrix with n rows and n columns (signifying n vertices in the graph). For simple graphs, an adjacency matrix contains only 1s and 0s — for the cell at row r and column c, a 1 means there is an edge pointing from vertex r to vertex c, and a 0 means there are none.

In this section, Zeros(n) creates an n×n zero matrix (such as a list consisting of n lists, each of which contains n zeros).

The following method generates a random n-vertex graph that follows the model G(n, p) (also known as the Gilbert model (Gilbert 1959)(19)), where each edge is drawn with probability px/py (Batagelj and Brandes 2005)(20).

Code:
METHOD GNPGraph(n, px, py)
    graph=Zeros(n)
    for i in 2...n
       j = i
       while j > 0
          j = j - 1 - min(NegativeBinomialInt(1, px, py), j - 1)
          if j > 0
             // Build an edge
             graph[i][j]=1
             graph[j][i]=1
          end
       end
    end
    return graph
END METHOD
Other kinds of graphs are possible, including Erdős–Rényi graphs (choose n random edges without replacement), Chung–Lu graphs, preferential attachment graphs, and more. For example, a mesh graph is a graph in the form of a rectangular mesh, where vertices are the corners and edges are the sides of the mesh's rectangles. A random maze is a random spanning tree of a mesh graph. Penschuck et al. (2020)(21) give a survey of random graph generation techniques.


A Note on Sorting Random Numbers
In general, sorting random numbers is no different from sorting any other data. (Sorting algorithms are outside this document's scope.) (22)


[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
General Non-Uniform Distributions
Some applications need to choose random items or numbers such that some of them are more likely to be chosen than others (a non-uniform distribution). Most of the techniques in this section show how to use the uniform random number methods to generate such random items or numbers.


Weighted Choice
The weighted choice method generates a random item or number from among a collection of them with separate probabilities of each item or number being chosen. There are several kinds of weighted choice.


Weighted Choice With Replacement
The first kind is called weighted choice with replacement (which can be thought of as drawing a ball, then putting it back) or a categorical distribution, where the probability of choosing each item doesn't change as items are chosen. In the following pseudocode:

  • WeightedChoice takes a single list weights of weights (integers 0 or greater) and returns the index of a weight from that list. The greater the weight, the more likely its index will be chosen.
  • CumulativeWeightedChoice takes a single list weights of N cumulative weights; they start at 0 and the next weight is not less than the previous. Returns a number in the interval [0, N - 1).
Code:
METHOD CWChoose(weights, value)
    // Choose the index according to the given value
    for i in 0...size(weights) - 1
       // Choose only if difference is positive
       if weights[i] < weights[i+1] and
           weights[i]>=value: return i
    end
    return 0
END METHOD
Code:
METHOD WChoose(weights, value)
    // Choose the index according to the given value
    lastItem = size(weights) - 1
    runningValue = 0
    for i in 0...size(weights) - 1
       if weights[i] > 0
          newValue = runningValue + weights[i]
          lastItem = i
          // NOTE: Includes start, excludes end
          if value < newValue: break
          runningValue = newValue
       end
    end
    // If we didn't break above, this is a last
    // resort (might happen because rounding
    // error happened somehow)
    return lastItem
END METHOD
Code:
METHOD WeightedChoice(weights)
    return WChoose(weights,
        RNDINTEXC(Sum(weights)))
END METHOD
Code:
METHOD CumulativeWeightedChoice(weights)
    if size(weights)==0 or weights[0]!=0: return error
    // Weights is a list of cumulative weights. Chooses
    // a random number in [0, size(weights) - 1).
    sum = weights[size(weights) - 1]
    return CWChoose(RNDINTEXC(sum))
END METHOD
Note: The Python sample code contains a variant of this method for generating multiple random points in one call, and uses Vose's version of the alias method (described in "Darts, Dice, and Coins: Sampling from a Discrete Distribution") in certain cases. Other data structures for weighted choice include the Fast Loaded Dice Roller (Saad et al., 2020)(86) and the structures mentioned by Klundert (2019)(87).
Examples:
  1. Assume we have the following list: ["apples", "oranges", "bananas", "grapes"], and weights is the following: [3, 15, 1, 2]. The weight for "apples" is 3, and the weight for "oranges" is 15. Since "oranges" has a higher weight than "apples", the index for "oranges" (1) is more likely to be chosen than the index for "apples" (0) with the WeightedChoice method. The following idiom implements how to get a randomly chosen item from the list with that method: item = list[WeightedChoice(weights)].
  2. Example 1 can be implemented with CumulativeWeightedChoice instead of WeightedChoice if weights is the following list of cumulative weights: [0, 3, 18, 19, 21].
  3. Piecewise constant distribution. Assume the weights from example 1 are used and the list contains the following: [0, 5, 10, 11, 13] (one more item than the weights). This expresses four intervals: [0, 5), [5, 10), and so on. After a random index is chosen with index = WeightedChoice(weights), an independent uniform random number in the chosen interval is chosen. For example, code like the following chooses a random integer this way: number = RNDINTEXCRANGE(list[index], list[index + 1]).
Weighted Choice Without Replacement (Multiple Copies)
To implement weighted choice without replacement (which can be thought of as drawing a ball without putting it back) when each weight is an integer 0 or greater, generate an index by WeightedChoice, and then decrease the weight for the chosen index by 1. In this way, each weight behaves like the number of "copies" of each item. The pseudocode below is an example of this. It assumes 'weights' is a list that can be modified.

Code:
totalWeight = Sum(weights)
// Choose as many items as the sum of weights
i = 0
items = NewList()
while i < totalWeight
    index = WeightedChoice(weights)
    // Decrease weight by 1 to implement selection
    // without replacement.
    weights[index] = weights[index] - 1
    // NOTE: Assumes the 'list' of items was declared
    // earlier and has at least as many items as 'weights'
    AddItem(items, list[index])
    i = i + 1
end
Alternatively, if all the weights are integers 0 or greater and their sum is relatively small, create a list with as many copies of each item as its weight, then shuffle that list. The resulting list will be ordered in a way that corresponds to a weighted random choice without replacement.

Note: The weighted sampling described in this section can be useful to some applications (particularly some games) that wish to control which random numbers appear, to make the random outcomes appear fairer to users (e.g., to avoid long streaks of good outcomes or of bad outcomes). When used for this purpose, each item represents a different outcome (e.g., "good" or "bad"), and the lists are replenished once no further items can be chosen. However, this kind of sampling should not be used for this purpose whenever information security (ISO/IEC 27000) is involved, including when predicting future random numbers would give a player or user a significant and unfair advantage.
Weighted Choice Without Replacement (Single Copies)
The following are ways to implement weighted choice without replacement, where each item can be chosen no more than once at random (or alternatively, where higher-weighted items are more likely to appear first):

  • Use WeightedChoice to choose random indices. Each time an index is chosen, set the weight for the chosen index to 0 to keep it from being chosen again. Or...
  • Assign each index a random exponential number (with a rate equal to that index's weight), make a list of pairs assigning each number to an index, then sort that list by those numbers. Example: v=[]; for i in 0...size(weights): AddItem(v, [ExpoRatio(100000000, weights, 1), i]); Sort(v). The sorted list of indices will then correspond to a weighted choice without replacement. See "Algorithms for sampling without replacement".


Weighted Choice Without Replacement (List of Unknown Size)
If the number of items in a list is not known in advance, then the following pseudocode implements a RandomKItemsFromFileWeighted that selects up to k random items from a file (file) of indefinite size (similarly to RandomKItemsFromFile). See (Efraimidis and Spirakis 2005)(23), and see also (Efraimidis 2015)(24), (Vieira 2014)(25), and (Vieira 2019)(26). In the pseudocode below:

  • WEIGHT_OF_ITEM(item, thisIndex) is a placeholder for arbitrary code that calculates the integer weight of an individual item based on its value and its index (starting at 0); the item is ignored if its weight is 0 or less.
  • ITEM_OUTPUT(item, thisIndex, key) is a placeholder for code that returns the item to store in the list; this can include the item's value, its index starting at 0, the item's key, or any combination of these.
Code:
METHOD RandomKItemsFromFileWeighted(file, k)
  queue=[] // Initialize priority queue
  index = 0
  while true
    // Get the next line from the file
    item = GetNextLine(file)
    thisIndex = index
    index = index + 1
    // If the end of the file was reached, break
    if item == nothing: break
    weight = WEIGHT_OF_ITEM(item, thisIndex)
    // Ignore if item's weight is 0 or less
    if weight <= 0: continue
    // NOTE: Equivalent to Expo(weight), except
    // it uses ratios
    key = ExpoRatio(100000000, weight, 1)
    itemToStore = ITEM_OUTPUT(item, thisIndex, key)
    // Begin priority queue add operation.  Instead
    // of the item ('item'), the line number starting at one
    // ('thisIndex') can be added to the queue.
    if size(queue) < k // Fewer than k items
      AddItem(queue, [key, itemToStore])
      Sort(queue)
    else // phase 2
      // Check whether this key is smaller
      // than the largest key in the queue
      if key < queue[size(queue)-1][0]
          // Replace item with largest key
          queue[size(queue)-1]=[key, itemToStore]
          Sort(queue)
      end
    end
    // End priority queue add operation
  end
  list=[]
  for v in 0...size(queue): AddItem(list, queue[v][1])
  // Optional shuffling here.
  // See NOTE 4 in RandomKItemsFromFile code.
  if size(list)>=2: Shuffle(list)
  return list
end
Note: Weighted choice with replacement can be implemented by doing one or more concurrent runs of RandomKItemsFromFileWeighted(file, 1) (making sure each run traverses file the same way for multiple runs as for a single run) (Efraimidis 2015)(24).
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Priority Sampling
Priority sampling (Duffield et al., 2007)(27) samples from a weighted stream of items in a way that allows the total weight of some or all the items to be estimated simply by adding their weight estimates. The pseudocode below generates weight estimates for m sampled items; all other items have weight estimates of 0. See also "Estimating means in a finite universe", which shows how priority sampling can help estimate the mean of a function over a limited but high number of data points via the weighted sum of that function's value at the sampled data points.

Code:
METHOD PrioritySample(file, m)
   // Uses RandomKItemsFromFileWeighted modified
   // as follows:  Keys are generated by
   // `MakeRatio(-weight, RNDINTRANGE(1, 1000000000))`
   // and `ITEM_OUTPUT(a, b, key)` is `[a, b, -key]`.
   items=RandomKItemsFromFileWeighted(file, m+1)
   threshold=items[m][2] // Get the (m+1)th highest key
   ret=[]
   for i in 0...m: AddItem(ret,
      [max(items[i][0], threshold), items[i][1]])
   // Returns, for each item, the weight estimate and its
   // index starting at 0
   return ret
END METHOD
Mixtures of Distributions
A mixture consists of two or more probability distributions with separate probabilities of being sampled. To generate random content from a mixture—

  1. generate index = WeightedChoice(weights), where weights is a list of relative probabilities that each distribution in the mixture will be sampled, then
  2. based on the value of index, generate the random content from the corresponding distribution.
Examples:
  1. One mixture consists of the sum of three six-sided virtual die rolls and the result of one six-sided die roll, but there is an 80% chance to roll one six-sided virtual die rather than three. The following pseudocode shows how this mixture can be sampled:
    Hide Copy Code
    index = WeightedChoice([80, 20])
    number = 0
    // If index 0 was chosen, roll one die
    if index==0: number = RNDINTRANGE(1,6)
    // Else index 1 was chosen, so roll three dice
    else: number = RNDINTRANGE(1,6) +
    RNDINTRANGE(1,6) + RNDINTRANGE(1,6)
  2. Choosing an independent uniform random point, from a complex shape (in any number of dimensions) is equivalent to doing such sampling from a mixture of simpler shapes that make up the complex shape (here, the weights list holds the n-dimensional "volume" of each simpler shape). For example, a simple closed 2D polygon can be triangulated, or decomposed into triangles, and a mixture of those triangles can be sampled.(28)
  3. Take a set of nonoverlapping integer ranges. To choose an independent uniform random integer from those ranges:
    • Create a list (weights) of weights for each range. Each range is given a weight of (mx - mn) + 1, where mn is that range's minimum and mx is its maximum.
    • Choose an index using WeightedChoice(weights), then generate RNDINTRANGE(mn, mx), where mn is the corresponding range's minimum and mx is its maximum.
  4. In the pseudocode index = WeightedChoice([80, 20]); list = [[0, 5], [5, 10]]; number = RNDINTEXCRANGE(list[index][0], list[index][1]), a random integer in [0, 5) is chosen at an 80% chance, and a random integer in [5, 10) at a 20% chance.
  5. A hyperexponential distribution is a mixture of exponential distributions, each one with a separate weight and separate rate parameter. An example is below.
    Hide Copy Code
    index = WeightedChoice([0.6, 0.3, 0.1])
    // Rates of the three exponential distributions, as ratios
    rates = [[3, 10], [5, 10], [1, 100]]
    // Generate an exponential random number
    // with chosen rate, as a ratio
    number = ExpoRatio(100000, rates[0], rates[1])



Transformations of Random Numbers
Random numbers can be generated by combining and/or transforming one or more random numbers and/or discarding some of them.

As an example, "Probability and Games: Damage Rolls" by Red Blob Games includes interactive graphics showing score distributions for lowest-of, highest-of, drop-the-lowest, and reroll game mechanics.(29) These and similar distributions can be generalized as follows.

Generate one or more random numbers, each with a separate probability distribution, then:

  1. Highest-of: Choose the highest generated number.
  2. Drop-the-lowest: Add all generated numbers except the lowest.
  3. Reroll-the-lowest: Add all generated numbers except the lowest, then add a number generated randomly by a separate probability distribution.
  4. Lowest-of: Choose the lowest generated number.
  5. Drop-the-highest: Add all generated numbers except the highest.
  6. Reroll-the-highest: Add all generated numbers except the highest, then add a number generated randomly by a separate probability distribution.
  7. Sum: Add all generated numbers.
  8. Mean: Find the mean of all generated numbers.
  9. Geometric transformation: Treat the numbers as an n-dimensional point, then apply a geometric transformation, such as a rotation or other affine transformation(30), to that point.
If the probability distributions are the same, then strategies 1 to 3 make higher numbers more likely, and strategies 4 to 6, lower numbers.

Note: Variants of strategy 4 — e.g., choosing the second-, third-, or nth-lowest number — are formally called second-, third-, or nth-order statistics distributions, respectively.
Examples:
  1. The idiom min(RNDINTRANGE(1, 6), RNDINTRANGE(1, 6)) takes the lowest of two six-sided die results (strategy 4). Due to this approach, 1 is more likely to occur than 6.
  2. The idiom RNDINTRANGE(1, 6) + RNDINTRANGE(1, 6) takes the result of two six-sided dice (see also "Dice") (strategy 7).
  3. A binomial distribution models the sum of n random numbers each generated by ZeroOrOne(px,py) (strategy 7) (see "Binomial Distribution").
  4. A hypoexponential distribution models the sum of n random numbers that follow an exponential distribution and each have a separate rate parameter (see "Exponential Distribution").
  5. Clamped random numbers. These are one example of transformed random numbers. To generate a clamped random number, generate a random number as usual, then—
    • if that number is less than a minimum threshold, use the minimum threshold instead (left-censoring), and/or
    • if that number is greater than a maximum threshold, use the maximum threshold instead (right-censoring).
  6. An example of a clamped random number is min(200, RNDINT(255)).
  7. A compound Poisson distribution models the sum of n random numbers each generated the same way, where n follows a Poisson distribution (e.g., n = PoissonInt(10, 1) for an average of 10 numbers) (strategy 7, sum).
  8. A Pólya–Aeppli distribution is a compound Poisson distribution in which the random numbers are generated by NegativeBinomial(1, 1-p)+1 for a fixed p.
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Specific Non-Uniform Distributions
This section contains information on some of the most common non-uniform probability distributions.

Dice
The following method generates a random result of rolling virtual dice. It takes three parameters: the number of dice (dice), the number of sides in each die (sides), and a number to add to the result (bonus) (which can be negative, but the result of the method is 0 if that result is greater). See also Red Blob Games, "Probability and Games: Damage Rolls".

Code:
METHOD DiceRoll(dice, sides, bonus)
    if dice < 0 or sides < 1: return error
    ret = 0
    for i in 0...dice: ret=ret+RNDINTRANGE(1, sides)
    return max(0, ret + bonus)
END METHOD
Examples: The result of rolling—
  • four six-sided virtual dice ("4d6") is DiceRoll(4,6,0),
  • three ten-sided virtual dice, with 4 added ("3d10 + 4"), is DiceRoll(3,10,4), and
  • two six-sided virtual dice, with 2 subtracted ("2d6 - 2"), is DiceRoll(2,6,-2).
Binomial Distribution
The binomial distribution uses two parameters: trials and p. This distribution models the number of successes in a fixed number of independent trials (equal to trials), each with the same probability of success (equal to p, where p <= 0 means never, p >= 1 means always, and p = 1/2 means an equal chance of success or failure).

This distribution has a simple implementation: count = 0; for i in 0...trials: count=count+ZeroOrOne(px, py). But for large numbers of trials, this can be very slow.

The pseudocode below implements an exact sampler of this distribution, with certain optimizations based on (Farach-Colton and Tsai 2015)(31). Here, the parameter p is expressed as a ratio px/py.

Code:
METHOD BinomialInt(trials, px, py)
  if trials < 0: return error
  if trials == 0: return 0
  // Always succeeds
  if mx: return trials
  // Always fails
  if p <= 0.0: return 0
  count = 0
  ret = 0
  recursed = false
  if py*2 == px // Is half
    if i > 200
      // Divide and conquer
      half = floor(trials / 2)
      return BinomialInt(half, 1, 2) + BinomialInt(trials - half, 1, 2)
    else
      if mod(trials,2)==1
        count=count+RNDINT(1)
        trials=trials-1
      end
      // NOTE: This step can be made faster
      // by precalculating an alias table
      // based on a list of n + 1 binomial(0.5)
      // weights, which consist of n-choose-i
      // for all i in [0, n], and sampling based on
      // that table (see Farach-Colton and Tsai).
      for i in 0...trials: count=count+RNDINT(1)
    end
  else
    // Based on proof of Theorem 2 in Farach-Colton and Tsai.
    // Decompose px/py into its binary expansion.
    pw = MakeRatio(px, py)
    pt = MakeRatio(1, 2)
    while trials>0 and pw>0
      c=BinomialInt(trials, 1, 2)
      if pw>=pt
        count=count+c
        trials=trials-c
        pw=pw-pt
      else
        trials=c
      end
      pt=pt/2 // NOTE: Not rounded
    end
  end
  if recursed: return count+ret
  return count
END METHOD
Note: If px/py is 1/2, the binomial distribution models the task "Flip N coins, then count the number of heads", and the random sum is known as Hamming distance (treating each trial as a "bit" that's set to 1 for a success and 0 for a failure). If px is 1, then this distribution models the task "Roll n py-sided dice, then count the number of dice that show the number 1."
Negative Binomial Distribution
The negative binomial distribution (Pólya distribution) models the number of failing trials that happen before a fixed number of successful trials (successes). Each trial is independent and has a success probability of px/py (where 0 means never and 1 means always).

Code:
METHOD NegativeBinomialInt(successes, px, py)
    // Needs to be 0 or greater; px must not be 0
    if successes < 0 or px == 0: return error
    if successes == 0 or px >= py: return 0
    total = 0
    count = 0
    while total < successes
        if ZeroOrOne(px, py) == 1: total = total + 1
        else: count = count + 1
    end
    return count
END METHOD
Geometric Distribution
The geometric distribution is a negative binomial distribution with successes = 1. Here, the sampled number is the number of failures that have happened before one success happens. (This is the definition used in Mathematica, for example. Saucier 2000, p. 44, also mentions an alternative definition that includes the success, and this alternative definition is used, for example, in (Devroye 1986, p. 498)(14).) For example, if p is 1/2, the geometric distribution models the task "Flip a coin until you get tails, then count the number of heads." As a unique property of the geometric distribution, the number of trials that have already failed in a row says nothing about the number of new trials that will fail in a row.


Exponential Distribution
The exponential distribution uses a parameter known as λ, the rate, or the inverse scale. Usually, λ is the probability that an independent event of a given kind will occur in a given span of time (such as in a given day or year), and the random result is the number of spans of time until that event happens. Usually, λ is equal to 1, or 1/1. 1/λ is the scale (mean), which is usually the average waiting time between two independent events of the same kind.

In this document, Expo(lamda) is an exponentially-distributed random number with the rate lamda.

In the pseudocode below, ExpoRatio generates an exponential random number (in the form of a ratio) given the rate rx/ry (or scale ry/rx) and the base base. ExpoNumerator generates the numerator of an exponential random number with rate 1 given that number's denominator. The algorithm is due to von Neumann (1951)(32).

Code:
METHOD ExpoRatio(base, rx, ry)
    // Generates a numerator and denominator of
    // an exponential random number with rate rx/ry.
    return MakeRatio(ExpoNumerator(base*ry), base*rx))
END METHOD

METHOD ExpoNumerator(denom)
   if denom<=0: return error
   count=0
   while true
      y1=RNDINTEXC(denom)
      y=y1
      accept=true
      while true
         z=RNDINTEXC(denom)
         if y<=z: break
         accept=not accept
         y=z
      end
      if accept: count=count+y1
      else: count=count+denom
      if accept: break
   end
   return count
END METHOD
Poisson Distribution
The Poisson distribution uses a parameter mean (also known as λ). λ is the average number of independent events of a certain kind per fixed unit of time or space (for example, per day, hour, or square kilometer). A Poisson-distributed number is the number of such events within one such unit.

In this document, Poisson(mean) is a Poisson-distributed number if mean is greater than 0, or 0 if mean is 0.

The following method generates a Poisson random number with mean mx/my, using the approach suggested by (Flajolet et al., 2010)(9). In the method, UniformNew() creates a u-rand, an "empty" random number in [0, 1], whose bits are not yet determined (Karney 2014)(33), and UniformLess(a, b) returns whether one u-rand (a) is less than another (b), building up the bits of both as necessary. For a less exact algorithm, replace UniformNew() with RNDINT(1000) and UniformLess(a, b) with a < b.

Code:
METHOD PoissonInt(mx, my)
    if my == 0: return error
    if mx == 0: return 0
    if (mx < 0 and my < 0) or (mx > 0 and my < 0): return 0
    if mx==my: return PoissonInt(1,2)+PoissonInt(1,2)
    if mx > my
       // Mean is 1 or greater
       mm=mod(mx, my)
       if mm == 0
          mf=floor(mx/my)
          ret=0
          if mod(mf, 2)==0: ret=ret+PoissonInt(1, 1)
          if mod(mf, 2)==0: mf=mf-1
          ret=ret+PoissonInt(mf/2, 1)+PoissonInt(mf/2, 1)
          return ret
       else: return PoissonInt(mm, my)+
           PoissonInt(mx-mm, my)
    end
    while true
      // Generate n, a geometric random number
      // (NOTE: Flajolet et al. define a geometric
      // distribution as number of SUCCESSES BEFORE
      // FAILURE, not counting the failure, so we
      // have to complement the probability here)
      n = NegativeBinomialInt(1, my - mx, my)
      // If n uniform random numbers turn out
      // to be sorted, accept n
      if n<=1: return n
      u = UniformNew()
      success = true
      i=1
      while i<n and success
         u2 = UniformNew()
         if UniformLess(u, u2): u = u2
         else: success=false // Not sorted
         i=i+1
      end
      if success: return n
    end
    return count
END METHOD
Note: To generate a sum of n independent Poisson random numbers with separate means, generate a Poisson random number whose mean is the sum of those means (see (Devroye 1986)(14), p. 501). For example, to generate a sum of 1000 independent Poisson random numbers with a mean of 1/1000000, simply generate PoissonInt(1, 1000) (because 1/1000000 * 1000 = 1/1000).
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Hypergeometric Distribution
The following method generates a random integer that follows a hypergeometric distribution. When a given number of items are drawn at random without replacement from a collection of items each labeled either 1 or 0, the random integer expresses the number of items drawn this way that are labeled 1. In the method below, trials is the number of items drawn at random, ones is the number of items labeled 1 in the set, and count is the number of items labeled 1 or 0 in that set.

Code:
METHOD Hypergeometric(trials, ones, count)
    if ones < 0 or count < 0 or trials < 0 or
       ones > count or trials > count
      return error
    end
    if ones == 0: return 0
    successes = 0
    i = 0
    currentCount = count
    currentOnes = ones
    while i < trials and currentOnes > 0
      if ZeroOrOne(currentOnes, currentCount) == 1
        currentOnes = currentOnes - 1
        successes = successes + 1
      end
      currentCount = currentCount - 1
      i = i + 1
    end
    return successes
END METHOD
Example: In a 52-card deck of Anglo-American playing cards, 12 of the cards are face cards (jacks, queens, or kings). After the deck is shuffled and seven cards are drawn, the number of face cards drawn this way follows a hypergeometric distribution where trials is 7, ones is 12, and count is 52.
Random Integers with a Given Positive Sum
The following pseudocode shows how to generate n uniform random integers greater than 0 with a given positive sum, in random order. (The algorithm for this was presented in (Smith and Tromble 2004)(34).) In the pseudocode below—

  • the method PositiveIntegersWithSum returns n integers greater than 0 that sum to total, in random order,
  • the method IntegersWithSum returns n integers 0 or greater that sum to total, in random order, and
  • Sort(list) sorts the items in list in ascending order (note that sort algorithms are outside the scope of this document).
Code:
METHOD PositiveIntegersWithSum(n, total)
    if n <= 0 or total <=0: return error
    ls = [0]
    ret = NewList()
    while size(ls) < n
      c = RNDINTEXCRANGE(1, total)
      found = false
      for j in 1...size(ls)
        if ls[j] == c
          found = true
          break
        end
      end
      if found == false: AddItem(ls, c)
    end
    Sort(ls)
    AddItem(ls, total)
    for i in 1...size(ls): AddItem(ret,
        ls[i] - ls[i - 1])
    return ret
END METHOD
Code:
METHOD IntegersWithSum(n, total)
  if n <= 0 or total <=0: return error
  ret = PositiveIntegersWithSum(n, total + n)
  for i in 0...size(ret): ret[i] = ret[i] - 1
  return ret
END METHOD
Notes:
  1. To generate N uniform random numbers with a given positive average avg, in random order, generate IntegersWithSum(N, N * avg) (or its equivalent for real numbers).
  2. To generate N uniform random numbers min or greater and with a given positive sum sum, in random order, generate IntegersWithSum(N, sum - N * min) (or its equivalent for real numbers), then add min to each number generated this way. The Python sample code implements an efficient way to generate such integers if each one can't exceed a given maximum; the algorithm is thanks to a Stack Overflow answer (questions/61393463) by John McClane.
Multinomial Distribution
The multinomial distribution uses two parameters: trials and weights. It models the number of times each of several mutually exclusive events happens among a given number of trials (trials), where each event can have a separate probability of happening (given as a list of weights).

A trivial implementation is to fill a list with as many zeros as weights, then for each trial, choose index = WeightedChoice(weights) and add 1 to the item in the list at the chosen index. The resulting list follows a multinomial distribution. The pseudocode below shows an optimization suggested in (Durfee et al., 2018, Corollary 45)(35), but assumes all weights are integers.

Code:
METHOD Multinomial(trials, weights)
    if trials < 0: return error
    // create a list of successes
    list = []
    ratios = []
    sum=Sum(weights)
    for i in 0...size(weights): AddItem(ratios,
           MakeRatio(weights[i], sum))
    end
    for i in 0...size(weights)
        r=ratios[i]
        b=BinomialInt(t,r[0],r[1])
        AddItem(list, b)
        trials=trials-b
        if trials>0: for j in range(i+1,
            len(weights)): ratios[j]=ratios[j]/(1-r)
    end
    return list
END METHOD
Randomization with Real Numbers
This section describes randomization methods that use random real numbers, not just random integers.

However, whenever possible, applications should work with random integers, rather than other random real numbers. This is because:

  • Computers can represent integers more naturally than other real numbers, making random integer generation algorithms more portable and more numerically stable than random real number generation algorithms.(36)
  • No computer can choose from among all real numbers between two others, since there are infinitely many of them.
  • For applications that may care about reproducible "random" numbers (unit tests, simulations, machine learning, and so on), using non-integer numbers can complicate the task of making a method reproducible from run to run or across computers.
The methods in this section should not be used to generate random numbers for information security purposes, even with a secure random number generator. See "Security Considerations" in the appendix.


Uniform Random Real Numbers
This section defines the following methods that generate independent uniform random real numbers:

  • RNDU01: Interval [0, 1].
  • RNDU01OneExc: Interval [0, 1).(37)
  • RNDU01ZeroExc: Interval (0, 1].
  • RNDU01ZeroOneExc: Interval (0, 1).
  • RNDRANGE: Interval [a, b].
  • RNDRANGEMaxExc: Interval [a, b).
  • RNDRANGEMinExc: Interval (a, b].
  • RNDRANGEMinMaxExc: Interval (a, b).

For Fixed-Point Number Formats
For fixed-point number formats representing multiples of 1/n, these eight methods are trivial. The following implementations return integers that represent fixed-point numbers.

RNDU01 family:

  • RNDU01(): RNDINT(n).
  • RNDU01ZeroExc(): (RNDINT(n - 1) + 1) or (RNDINTEXC(n) + 1).
  • RNDU01OneExc(): RNDINTEXC(n) or RNDINT(n - 1).
  • RNDU01ZeroOneExc(): (RNDINT(n - 2) + 1) or (RNDINTEXC(n - 1) + 1).
RNDRANGE family. In each method below, fpa and fpb are the bounds of the random number generated and are integers that represent fixed-point numbers (such that fpa = a * n and fpb = b * n). For example, if n is 100, to generate a number in [6.35, 9.96], generate RNDRANGE(6.35, 9.96) or RNDINTRANGE(635, 996).

  • RNDRANGE(a, b): RNDINTRANGE(fpa, fpb).
  • RNDRANGEMinExc(a, b): RNDINTRANGE(fpa + 1, fpb), or an error if fpa >= fpb.
  • RNDRANGEMaxExc(a, b): RNDINTEXCRANGE(fpa, fpb).
  • RNDRANGEMinMaxExc(a, b): RNDINTRANGE(fpa + 1, fpb - 1), or an error if fpa >= fpb or a == fpb - 1.

For Rational Number Formats
For rational number formats with a fixed denominator, the eight methods can be implemented in the numerator as given in the previous section for fixed-point formats.


For Floating-Point Number Formats
For floating-point number formats representing numbers of the form FPSign * s * FPRADIXe (38), the following pseudocode implements RNDRANGE(lo, hi). In the pseudocode:

  • MINEXP is the lowest exponent a number can have in the floating-point format. For the IEEE 754 binary64 format (Java double), MINEXP = -1074. For the IEEE 754 binary32 format (Java float), MINEXP = -149.
  • FPPRECISION is the number of significant digits in the floating-point format, whether the format stores them as such or not. Equals 53 for binary64, or 24 for binary32.
  • FPRADIX is the digit base of the floating-point format. Equals 2 for binary64 and binary32.
  • FPExponent(x) returns the value of e for the number x such that the number of digits in s equals FPPRECISION. Returns MINEXP if x = 0 or if e would be less than MINEXP.
  • FPSignificand(x) returns s, the significand of the number x. Returns 0 if x = 0. Has FPPRECISION digits unless FPExponent(x) == MINEXP.
  • FPSign(x) returns either -1 or 1 indicating whether the number is positive or negative. Can be -1 even if s is 0.
See also (Downey 2007)(39) and the Rademacher Floating-Point Library.
Code:
METHOD RNDRANGE(lo, hi)
  losgn = FPSign(lo)
  hisgn = FPSign(hi)
  loexp = FPExponent(lo)
  hiexp = FPExponent(hi)
  losig = FPSignificand(lo)
  hisig = FPSignificand(hi)
  if lo > hi: return error
  if losgn == 1 and hisgn == -1: return error
  if losgn == -1 and hisgn == 1
    // Straddles negative and positive ranges
    // NOTE: Changes negative zero to positive
    mabs = max(abs(lo),abs(hi))
    while true
       ret=RNDRANGE(0, mabs)
       neg=RNDINT(1)
       if neg==0: ret=-ret
       if ret>=lo and ret<=hi: return ret
    end
  end
  if lo == hi: return lo
  if losgn == -1
    // Negative range
    return -RNDRANGE(abs(lo), abs(hi))
  end
  // Positive range
  expdiff=hiexp-loexp
  if loexp==hiexp
    // Exponents are the same
    // NOTE: Automatically handles
    // subnormals
    s=RNDINTRANGE(losig, hisig)
    return s*1.0*pow(FPRADIX, loexp)
  end
  while true
    ex=hiexp
    while ex>MINEXP
      v=RNDINTEXC(FPRADIX)
      if v==0: ex=ex-1
      else: break
    end
    s=0
    if ex==MINEXP
      // Has FPPRECISION or fewer digits
      // and so can be normal or subnormal
      s=RNDINTEXC(pow(FPRADIX,FPPRECISION))
    else if FPRADIX != 2
      // Has FPPRECISION digits
      s=RNDINTEXCRANGE(
        pow(FPRADIX,FPPRECISION-1),
        pow(FPRADIX,FPPRECISION))
    else
      // Has FPPRECISION digits (bits), the highest
      // of which is always 1 because it's the
      // only nonzero bit
      sm=pow(FPRADIX,FPPRECISION-1)
      s=RNDINTEXC(sm)+sm
    end
    ret=s*1.0*pow(FPRADIX, ex)
    if ret>=lo and ret<=hi: return ret
  end
END METHOD

The other seven methods can be derived from RNDRANGE as follows:

  • RNDRANGEMaxExc, interval [mn, mx):
    • Generate RNDRANGE(mn, mx) in a loop until a number other than mx is generated this way. Return an error if mn >= mx (treating positive and negative zero as different).
  • RNDRANGEMinExc, interval [mn, mx):
    • Generate RNDRANGE(mn, mx) in a loop until a number other than mn is generated this way. Return an error if mn >= mx (treating positive and negative zero as different).
  • RNDRANGEMinMaxExc, interval (mn, mx):
    • Generate RNDRANGE(mn, mx) in a loop until a number other than mn or mx is generated this way. Return an error if mn >= mx (treating positive and negative zero as different).
  • RNDU01(): RNDRANGE(0, 1).
  • RNDU01ZeroExc(): RNDRANGEMinExc(0, 1).
  • RNDU01OneExc(): RNDRANGEMaxExc(0, 1).
  • RNDU01ZeroOneExc(): RNDRANGEMinMaxExc(0, 1).
Note: In many software libraries, random numbers in a range are generated by dividing or multiplying a random integer by a constant. For example, RNDU01OneExc() is often implemented like RNDINTEXC(X) * (1.0/X) or RNDINTEXC(X) / X, where X varies based on the software library.(40) The disadvantage here is that not all numbers a floating-point format can represent in the range can be covered this way (Goualard 2020)(41). As another example, RNDRANGEMaxExc(a, b) is often implemented like a + RNDU01OneExc() * (b - a); however, this not only has the same disadvantage, but has many other issues where floating-point numbers are involved (Monahan 1985)(42).
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Uniform Numbers As Their Digit Expansions
As noted by von Neumann (1951)(32), a uniform random number bounded by 0 and 1 can be produced by "juxtapos[ing] enough random binary digits". In this sense, the random number is RNDINTEXC(2)/2 + RNDINTEXC(2)/4 + RNDINTEXC(2)/8 + ..., perhaps "forc[ing] the last [random bit] to be 1" "[t]o avoid any bias". It is not hard to see that a uniform random number of an arbitrary base can be formed by generating a random digit expansion after the point. For example, a random decimal number bounded by 0 and 1 can be generated as RNDINTEXC(10)/10 + RNDINTEXC(10)/100 + .... (Note that the number 0 is an infinite digit expansion of zeros, and the number 1 is an infinite digit expansion of base-minus-ones.)


Monte Carlo Sampling: Expected Values, Integration, and Optimization
Requires random real numbers.

Randomization is the core of Monte Carlo sampling. There are three main uses of Monte Carlo sampling: estimation, integration, and optimization.

  1. Estimating expected values. Monte Carlo sampling can help estimate the expected value of a function given a random process or sampling distribution. The following pseudocode estimates the expected value from a list of random numbers generated the same way. Here, EFUNC is the function, and MeanAndVariance is given in the appendix. Expectation returns a list of two numbers — the estimated expected value and its standard error.
    Code:
    METHOD Expectation(numbers)
    ret=[]
    for i in 0...size(numbers)
    AddItem(ret,EFUNC(numbers[i]))
    end
    merr=MeanAndVariance(ret)
    merr[1]=merr[1]*(size(ret)-1.0)/size(ret)
    merr[1]=sqrt(merr[1]/size(ret))
    return merr
    END METHOD
    [*]

  2. Examples of expected values include the following:
    • The nth raw moment (mean of nth powers) if EFUNC(x) is pow(x, n).
    • The mean, if EFUNC(x) is x.
    • The nth sample central moment, if EFUNC(x) is pow(x-m, n), where m is the mean of the sampled numbers.
    • The (biased) sample variance, the second sample central moment.
    • The probability, if EFUNC(x) is 1 if some condition is met or 0 otherwise.
  3. If the sampling domain is also limited to random numbers meeting a given condition (such as x < 2 or x != 10), then the estimated expected value is also called the estimated conditional expectation.
  4. Monte Carlo integration. This is a way to estimate a multidimensional integral; randomly sampled numbers are put into a list (nums) and the estimated integral and its standard error are then calculated with Expectation(nums) with EFUNC(x) = x, and multiplied by the volume of the sampling domain.
  5. Stochastic optimization. This uses randomness to help find the minimum or maximum value of a function with one or more variables; examples include simulated annealing and simultaneous perturbation stochastic approximation (see also (Spall 1998)(43)).

Low-Discrepancy Sequences
Requires random real numbers.

A low-discrepancy sequence (or quasirandom sequence) is a sequence of numbers that behave like uniform random numbers but are dependent on each other, in that they are less likely to form "clumps" than if they were independent. The following are examples:

  • A base-N van der Corput sequence is generated as follows: For each non-negative integer index in the sequence, take the index as a base-N number, then divide the least significant base-N digit by N, the next digit by N2, the next by N3, and so on, and add together these results of division.
  • A Halton sequence is a set of two or more van der Corput sequences with different prime bases; a Halton point at a given index has coordinates equal to the points for that index in the van der Corput sequences.
  • Roberts, M., in "The Unreasonable Effectiveness of Quasirandom Sequences", presents a low-discrepancy sequence based on a "generalized" version of the golden ratio.
  • Sobol sequences are explained in "Sobol sequence generator" by S. Joe and F. Kuo.
  • Latin hypercube sampling doesn't exactly produce low-discrepancy sequences, but serves much the same purpose. The following pseudocode implements this sampling for an n-number sequence: lhs = []; for i in 0...n: AddItem(RNDRANGEMinMaxExc(i*1.0/n,(i+1)*1.0/n)); lhs = Shuffle(lhs).
  • Linear congruential generators with modulus m, a full period, and "good lattice structure"; a sequence of n-dimensional points is then [MLCG(i), MLCG(i+1), ..., MLCG(i+n-1)] for each integer i in the interval [1, m] (L'Ecuyer 1999)(44) (see example pseudocode below).
  • Linear feedback shift register generators with good "uniformity" for Monte Carlo sampling (e.g., (Harase 2020)(45)).
  • If the sequence outputs numbers in the interval [0, 1], the Baker's map of the sequence is 2 * (0.5-abs(x - 0.5)), where x is each number in the sequence.

Code:
METHOD MLCG(seed) // m = 262139
  if seed<=0: return error
  return rem(92717*seed,262139)/262139.0
END METHOD
In most cases, RNGs can be used to generate a "seed" to start the low-discrepancy sequence at.

In Monte Carlo sampling, low-discrepancy sequences are often used to achieve more efficient "random" sampling.

[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Notes on Randomization Involving Real Numbers
Requires random real numbers.


Probabilities As Their Digit Expansions

Probabilities can be expressed as a digit expansion (of the form 0.dddddd...).

If the probability is a rational number, express it as a rational number (n/d) and use ZeroOrOne(n, d) to generate 1 with probability n/d and 0 otherwise (a Bernoulli trial).

If the probability is an irrational number, such as exp(-x/y) or ln(2), then the digit expansion is infinite and can only be approximated. In that case, assuming the probability is in [0, 1), use the following algorithm to do a Bernoulli trial with that probability ((Brassard et al., 2015)(46); see also (Devroye 1986, p. 769)(14)), where BASE is the digit base, such as 2 for binary or 10 for decimal:

  1. Set u to 0 and k to 1.
  2. Set u to (u * BASE) + RNDINTEXC(BASE). Set pk to the k digits after the point in p's digit expansion. Example: If p is π/4, BASE is 10, and k is 5, then pk = 78539.
  3. If pk + 1 <= u, return 0. If pk - 2 >= u, return 1. If neither is the case, add 1 to k and go to step 2.

Weighted Choice Involving Real Numbers
In general, to implement weighted choice given a list of weights or cumulative weights expressed as real numbers, convert those weights to integers (see "Sampling for Discrete Distributions"), then use those integers in the WeightedChoice or CumulativeWeightedChoice methods, as appropriate (see "Weighted Choice With Replacement"). Those two methods could instead be modified by changing value = RNDINTEXC(sum) to value = RNDRANGEMaxExc(0, sum), but this is more likely to introduce error.


Random Walks: Additional Examples
  • One example of a white noise process is a list of Normal(0, 1) numbers (Gaussian white noise).
  • If STATEJUMP() is RNDRANGE(-1, 1), the random state is advanced by a random real number in the interval [-1, 1].
  • A continuous-time processmodels random behavior at every moment, not just at discrete times. There are two popular examples:
    • A Wiener process (also known as Brownian motion) has random states and jumps that are normally distributed. For a random walk that follows a Wiener process, STATEJUMP() is Normal(mu * timediff, sigma * sqrt(timediff)), where mu is the drift (or average value per time unit), sigma is the volatility, and timediff is the time difference between samples. A Brownian bridge (Revuz and Yor 1999)(47) modifies a Wiener process as follows: For each time X, calculate W(X) - W(E) * (X - S) / (E - S), where S and E are the starting and ending times of the process, respectively, and W(X) and W(E) are the state at times X and E, respectively.
    • In a Poisson process, the time between each event is its own exponential random number with its own rate parameter (e.g., Expo(rate)) (see "Exponential Distribution"), and sorting N random RNDRANGE(x, y) expresses N arrival times in the interval [x, y]. The process is homogeneous if all the rates are the same, and inhomogeneous if the rate can vary with the "timestamp" before each event jump; to generate arrival times here, potential arrival times are generated at the maximum possible rate (maxrate) and each one is accepted if RNDRANGE(0, maxrate) < thisrate, where thisrate is the rate for the given arrival time (Alexoupolos 2017)(48).

Mixtures: Additional Examples
Example 3 in "Mixtures of Distributions" can be adapted to nonoverlapping real number ranges by assigning weights mx - mn instead of (mx - mn) + 1 and using RNDRANGEMaxExc instead of RNDINTRANGE.


Transformations: Additional Examples
  1. Bates distribution: Find the mean of n uniform random numbers in a given range (such as by RNDRANGE(minimum, maximum)) (strategy 8, mean; see the appendix).
  2. A random point (x, y) can be transformed (strategy 9, geometric transformation) to derive a point with correlated random coordinates (old x, new x) as follows (see (Saucier 2000)(49), sec. 3.8): [x, y*sqrt(1 - rho * rho) + rho * x], where x and y are independent random numbers generated the same way, and rho is a correlation coefficient in the interval [-1, 1] (if rho is 0, x and y are uncorrelated).
  3. It is reasonable to talk about sampling the sum or mean of N random numbers, where N has a fractional part. In this case, ceil(N) random numbers are generated and the last number is multiplied by that fractional part. For example, to sample the sum of 2.5 random numbers, generate three random numbers, multiply the last by 0.5 (the fractional part of 2.5), then sum all three numbers.

Random Numbers from a Distribution of Data Points
Requires random real numbers.


Generating random data points based on how a list of data points is distributed involves the field of machine learning: fit a data model to the data points, then predict a new data point based on that model, with randomness added to the mix. Three kinds of data models, described below, serve this purpose. (How fitting works is outside the scope of this page.)

  1. Density estimation models. Density estimation models seek to describe the distribution of data points in a given data set, where areas with more points are more likely to be sampled.(50) The following are examples.
    • Histograms are sets of one or more non-overlapping bins, which are generally of equal size. Histograms are mixtures, where each bin's weight is the number of data points in that bin. After a bin is randomly chosen, a random data point that could fit in that bin is generated (that point need not be an existing data point).
    • Gaussian mixture models are also mixtures, in this case, mixtures of one or more Gaussian (normal) distributions.
    • Kernel distributions are mixtures of sampling distributions, one for each data point. Estimating a kernel distribution is called kernel density estimation. To sample from a kernel distribution:
      1. Choose one of the numbers or points in the list at random with replacement.
      2. Add a randomized "jitter" to the chosen number or point; for example, add a separately generated Normal(0, sigma) to the chosen number or each component of the chosen point, where sigma is the bandwidth(51).
    • Stochastic interpolation is described in (Saucier 2000)(49), sec. 5.3.4. It involves choosing a data point at random, taking the mean of that point and its k nearest neighbors, and shifting that mean by a random weighted sum of the differences between each of those points and that mean (here, the weight is RNDRANGE((1-sqrt(k*3))/(k+1.0), (1+sqrt(k*3))/(k+1.0)) for each point). This approach assumes that the lowest and highest values of each dimension are 0 and 1, respectively, so that arbitrary data points have to be shifted and scaled accordingly.
    • Fitting a known distribution (such as the normal distribution), with unknown parameters, to data can be done by maximum likelihood estimation, among other ways. If several kinds of distributions are possible fitting choices, then the kind showing the best goodness of fit for the data (e.g., chi-squared goodness of fit) is chosen.
  2. Regression models. A regression model is a model that summarizes data as a formula and an error term. If an application has data in the form of inputs and outputs (e.g., monthly sales figures) and wants to sample a random but plausible output given a known input point (e.g., sales for a future month), then the application can fit and sample a regression model for that data. For example, a linear regression model, which simulates the value of y given known inputs a and b, can be sampled as follows: y = c1 * a + c2 * b + c3 + Normal(0, sqrt(mse)), where mse is the mean squared error and c1, c2, and c3 are the coefficients of the model. (Here, Normal(0, sqrt(mse)) is the error term.)
  3. Generative models. These are machine learning models that take random numbers as input and generate outputs (such as images or sounds) that are similar to examples they have already seen. Generative adversarial networks are one kind of generative model.
Note: If the existing data points each belong in one of several categories:
  • Choosing a random category could be done by choosing a random number weighted on the number of data points in each category (see "Weighted Choice").
  • Choosing a random data point andits category could be done—
    1. by choosing a random data point based on all the existing data points, then finding its category (e.g., via machine learning models known as classification models), or
    2. by choosing a random category as given above, then by choosing a random data point based only on the existing data points of that category.
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Random Numbers from an Arbitrary Distribution
Requires random real numbers.

Many probability distributions can be defined in terms of any of the following:

  • The cumulative distribution function, or CDF, returns, for each number, the probability that a number equal to or greater than that number is randomly chosen; the probability is in the interval [0, 1].
  • The probability density function, or PDF, is, roughly and intuitively, a curve of weights 0 or greater, where for each number, the greater its weight, the more likely a number close to that number is randomly chosen. In this document, the area under the PDF need not equal 1.(52)
  • The quantile function (also known as inverse cumulative distribution function or inverse CDF) is the inverse of the CDF and maps numbers in the interval [0, 1) to numbers in the distribution, from low to high.
The following sections show different ways to generate random numbers based on a distribution, depending on what is known about that distribution.

Notes:
  1. Lists of PDFs, CDFs, or quantile functions are outside the scope of this page.
  2. In practice, the logarithm of the PDF (log-PDF) is sometimes used instead of the PDF to improve numerical stability.
Sampling for Discrete Distributions
If the distribution is discrete(53), numbers that closely follow it can be sampled by choosing points that cover all or almost all of the distribution, finding their weights or cumulative weights, and choosing a random point based on those weights. The method will be exact as long as—

  1. the chosen points cover all of the distribution, and
  2. the values of the PDF or CDF are calculated exactly, without error (if they are not, though, this method will not introduce any additional error on those values).(54)
The pseudocode below shows the following methods that work with a known PDF (PDF(x), more properly called probability mass function) or a known CDF (CDF(x)) that outputs floating-point numbers of the form FPSignificand * FPRadixFPExponent (which include Java's double and float)(55). In the code, LTDenom(x) is the lowest-terms denominator of the ratio x.

  • SampleFP(mini, maxi) chooses a random number in [mini, maxi] based on a known PDF. InversionSampleFP is similar, but is based on a known CDF; however, SampleFP should be used instead where possible.
  • IntegerWeightsFP(mini, maxi) generates a list of integer weights for the interval [mini, maxi] based on a known PDF(56). (Alternatively, the weights could be approximated, such as by scaling and rounding [e.g., round(PDF(i) * mult)] or by using a more sophisticated algorithm (Saad et al., 2020)(57), but doing so can introduce error.)
  • IntegerCDFFP is similar to IntegerWeightsFP, but generates cumulative weights based on a known CDF.
  • IntegerWeightsListFP generates integer weights from a list of weights or cumulative weights expressed as floating-point numbers.
Code:
METHOD SampleFP(mini, maxi)
  return mini + WeightedChoice(IntegerWeightsFP(mini, maxi))
END METHOD

METHOD InversionSampleFP(mini, maxi)
  weights=IntegerCDFFP(mini, maxi)
  return mini + CWChoose(weights,
     weights[size(weights) - 1])
END METHOD

METHOD FPRatio(fp)
  expo=FPExponent(fp)
  sig=FPSignificand(fp)
  radix=FPRadix(fp)
  if expo>=0: return MakeRatio(sig * pow(radix, expo), 1)
  return MakeRatio(sig, pow(radix, abs(expo)))
END METHOD

METHOD NormalizeRatios(ratios)
  ratioSum = Sum(ratios)
  denom = LTDenom(ratioSum)
  weights=[]
  for r in ratios: AddItem(weights, floor(r[0]*denom))
  return weights
END METHOD

METHOD IntegerWeightsFP(mini, maxi)
  ratios=[]
  for i in mini..maxi: AddItem(ratios, FPRatio(PDF(i)))
  return NormalizeRatios(ratios)
END METHOD

METHOD IntegerCDFFP(mini, maxi)
  ratios=[[0, 1]]
  for i in mini..maxi: AddItem(ratios, FPRatio(CDF(i)))
  return NormalizeRatios(ratios)
END METHOD

METHOD IntegerWeightsListFP(weights)
  ratios=[]
  for w in weights: AddItem(ratios, FPRatio(w))
  return NormalizeRatios(ratios)
END METHOD

Inverse Transform Sampling
Inverse transform sampling (or simply inversion) is the most generic way to generate a random number that follows a distribution.

If the distribution has a known quantile function, generate a uniform random number in (0, 1) if that number wasn't already pregenerated, and take the quantile of that number. However:

  • If the distribution spans a bigger range than [0, 1], then calculating the quantile naïvely (e.g., ICDF(RNDU01ZeroOneExc())) can leave gaps, in the sense that some numbers with the same precision as the uniform number may not be generated even if the distribution gives them a chance of occurring; this is especially the case for uniform floating-point numbers close to 1 (Monahan 1985, sec. 4 and 6)(42).
  • In most cases, the quantile function is not available. Thus, it has to be approximated.
The following method generates a random number from a distribution via inversion, with an accuracy of BASE-precision ((Devroye and Gravel 2018)(58), but extended for any base; see also (Bringmann and Friedrich 2013, Appendix A)(59)). In the method, ICDF(u, ubits, prec) calculates a number that is within BASE-prec of the true quantile of u/BASEubits, and BASE is the digit base (e.g. 2 for binary or 10 for decimal).

Code:
METHOD Inversion(precision)
   u=0
   ubits=0
   threshold=MakeRatio(1,pow(BASE, precision))*2
   incr=8
   while true
      incr=8
      if ubits==0: incr=precision
      // NOTE: If a uniform number (`n`) is already pregenerated,
      // use the following instead:
      // u = mod(floor(n*pow(BASE, ubits+incr)), pow(BASE, incr))
      u=u*pow(BASE,incr)+RNDINTEXC(pow(BASE,incr))
      ubits=ubits+incr
      lower=ICDF(u,ubits,precision)
      upper=ICDF(u+1,ubits,precision)
      // Quantile can never go down
      if lower>upper: return error
      diff=upper-lower
      if diff<=threshold: return upper+diff/2
   end
end
Some cases require converting a pregenerated uniform random number to a non-uniform one via quantiles (notable cases include copula methods and Monte Carlo methods involving low-discrepancy sequences). For these cases, the following methods approximate the quantile if the application can trade accuracy for speed:

  • Distribution is discrete, with known PDF: The most general method is sequential search (Devroye 1986, p. 85)(14), assuming the area under the PDF is 1 and the distribution covers only integers 0 or greater: i = 0; p = PDF(i); while u01 > p; u01 = u01 - p; i = i + 1; p = PDF(i); end; return p, but this is not always fast. If the interval [a, b] covers all or almost all the distribution, then the application can store the interval's PDF values in a list and call WChoose: for i in a..b: AddItem(weights, PDF(i)); return a + WChoose(weights, u01 * Sum(weights)). Note that finding the quantile based on the CDF instead can introduce more error than with the PDF (Walter 2019)(60).
  • Distribution is continuous, with known PDF: ICDFFromContPDF(u01, mini, maxi, step), below, finds the quantile based on a piecewise linear approximation of the PDF in [mini, maxi], with pieces up to step wide.
Code:
METHOD ICDFFromContPDF(u01, mini, maxi, step)
  pieces=[]
  areas=[]
  lastvalue=i
  lastweight=PDF(i)
  cumuarea=0
  i = mini+step; while i <= maxi
     weight=i; value=PDF(i)
     cumuarea=cumuarea+abs((weight + lastweight) * 0.5 *
            (value - lastvalue))
     AddItem(pieces,[lastweight,weight,lastvalue,value])
     AddItem(areas,cumuarea)
     lastweight=weight;lastvalue=value
     if i==maxi: break
     i = min(i + step, maxi)
  end
  total=Sum(area)
  prevarea=0
  for i in 0...size(areas)
     cu=areas[i]/total
     if u01<=cu
         p=pieces[i]; u01=(u01-prevarea)/(cu-prevarea)
         s=p[0]; t=p[1]; v=u01
         if s!=t: v=(s-sqrt(t*t*u01-s*s*u01+s*s))/(s-t)
         return p[2]+(p[3]-p[2])*v
     end
     prevarea=cu
  end
  return error
END METHOD
[code]
[QUOTE][B]Notes:[/B]
[LIST=1]
[*]If only percentiles of data (such as the median or 50th percentile, the minimum or 0th percentile, or the maximum or 100th percentile) are available, the quantile function can be approximated via those percentiles. The Nth percentile corresponds to the quantile for N/100.0. Missing values for the quantile function can then be filled in by interpolation (such as spline fitting). If the raw data points are available, see "[B]Random Numbers from a Distribution of Data Points[/B]" instead.
[*]Taking the kth smallest of n random numbers distributed the same way is the same as taking the quantile of the kth smallest of n [I]uniform[/I] random numbers (e.g., pow(u, 1/n) for the maximum) (Devroye 2006)[B](61)[/B]; (Devroye 1986, p. 30)[B](14)[/B].
[/LIST][/QUOTE]

[/SHOWTOGROUPS]
[/spoiler]
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Rejection Sampling with a PDF
If the distribution has a known PDF, and the PDF can be more easily sampled by another distribution with its own PDF (PDF2) that "dominates" PDF in the sense that PDF2(x) >= PDF(x) at every valid x, then generate random numbers with the latter distribution until a number (n) that satisfies r <= PDF(n), where r = RNDRANGEMaxExc(0, PDF2(n)), is generated this way (that is, sample points in PDF2 until a point falls within PDF).

A variant of rejection sampling is the squeeze principle, in which a third PDF (PDF3) is chosen that is "dominated" by the first PDF (PDF) and easier to sample than PDF. Here, a number is accepted if r <= PDF3(n) or r <= PDF(n) (Devroye 1986, p. 53)(14).

See also (von Neumann 1951)(32); (Devroye 1986)(14), pp. 41-43; "Rejection Sampling"; and "Generating Pseudorandom Numbers".

Examples:
  1. To sample a random number in the interval [low, high) from a PDF with a positive maximum value no greater than peak at that interval, generate x = RNDRANGEMaxExc(low, high) and y = RNDRANGEMaxExc(0, peak) until y < PDF(x), then take the last x generated this way. (See also Saucier 2000, pp. 6-7.) If the distribution is discrete, generate x with x = RNDINTEXCRANGE(low, high) instead.
  2. A custom distribution's PDF, PDF, is exp(-abs(x*x*x)), and the exponential distribution's PDF, PDF2, is exp(-x). The exponential PDF "dominates" the other PDF (at every x 0 or greater) if we multiply it by 1.5, so that PDF2 is now 1.5 * exp(-x). Now we can generate numbers from our custom distribution by sampling exponential points until a point falls within PDF. This is done by generating n = Expo(1) until PDF(n) >= RNDRANGEMaxExc(0, PDF2(n)).
Note: Rejection sampling can also be used for low-discrepancy sequences (especially if the target distribution has an unknown quantile function), given a distribution with an "easy-to-calculate" quantile function (Nguyen and Ökten 2014/2016)(62). Example: (1) Generate two numbers A and B from a low-discrepancy sequence; (2) set Q to the "easy-to-calculate" quantile of A, then accept Q if B * PDF2(Q) <= PDF(Q), or go to step 1 otherwise.
Alternating Series
If the target PDF is not known exactly, but can be approximated from above and below by two series expansions that converge to the PDF as more terms are added, the alternating series method can be used. This still requires a "dominating" PDF (PDF2(x)) to serve as the "easy-to-sample" distribution. Call the series expansions UPDF(x, n) and LPDF(x, n), respectively, where n is the number of terms in the series to add. To generate a random number using this method (Devroye 2006)(61): (1) Generate a random number x that follows the "dominating" distribution; (2) set n to 0; (3) accept x if r <= LPDF(x, n), or go to step 1 if r >= UPDF(x, n), or repeat this step with n increased by 1 if neither is the case.


Markov-Chain Monte Carlo
Markov-chain Monte Carlo (MCMC) is a family of algorithms for sampling many random numbers from a probability distribution by building a Markov chain of random values that build on each other until they converge to the given distribution. In general, however, these random numbers will have a statistical dependence on each other, and it takes an unknown time for the chain to converge (which is why techniques such as "thinning" -- keeping only every Nth sample -- or "burn-in" -- skipping iterations before sampling -- are often employed). MCMC can also estimate the distribution's sampling domain for other samplers, such as rejection sampling (above).

MCMC algorithms(63) include Metropolis–Hastings, slice sampling, and Gibbs sampling (see also the Python sample code). The latter is special in that it uses not a PDF, but two or more distributions, each of which uses a random number from the previous distribution (conditional distributions), that converge to a joint distribution.

Example: In one Gibbs sampler, an initial value for y is chosen, then multiple x, y pairs of random numbers are generated, where x = BetaDist(y, 5) then y = Poisson(x * 10).
Python Sample Code
In the Python sample code:

  • The integers_from_pdf method implements approximate sampling for discrete distributions.
  • The numbers_from_cdf method, the from_interp method, and a KVectorSampler class(64) use inversion to sample a random number given a distribution's CDF. These are all approximations. For from_interp, the CDF is expressed as a list of input/output pairs.
  • DensityInversionSampler and numbers_from_dist_inversion generate random numbers from a distribution via inversion (Derflinger et al. 2010)(65), (Devroye and Gravel 2018)(58). integers_from_u01 computes quantiles for a discrete distribution given its PDF.
  • moore.py and numbers_from_dist generate random numbers from a distribution via rejection sampling (Devroye and Gravel 2016/2018)(66), (Sainudiin and York 2013)(67).

Piecewise Linear Distribution
Requires random real numbers.

A piecewise linear distribution describes a continuous distribution with weights at known points and other weights determined by linear interpolation (smoothing). The PiecewiseLinear method (in the pseudocode below) takes two lists as follows (see also (Kscischang 2019)(88)):

  • values is a list of numbers (which need not be integers). If the numbers are arranged in ascending order, which they should, the first number in this list can be returned exactly, but not the last number.
  • weights is a list of weights for the given numbers (where each number and its weight have the same index in both lists). The greater a number's weight, the more likely it is that a number close to that number will be chosen. Each weight should be 0 or greater.
Code:
METHOD PiecewiseLinear(values, weights)
  if size(values)!=size(weights) or size(values)==0: return error
  if size(values)==1: return values[0]
  areas=[]
  for i in 1...size(values)
     area=abs((weights[i] + weights[i-1]) * 0.5 *
            (values[i] - values[i-1]))
     AddItem(areas,area)
  end
  index=WeightedChoice(areas)
  w=values[index+1]-values[index]
  if w==0: return values[index]
  m=(weights[index+1]-weights[index])/w
  h2=(weights[index+1]+weights[index])
  ww=w/2.0; hh=h2/2.0
  x=RNDRANGEMaxExc(-ww, ww)
  if RNDRANGEMaxExc(-hh, hh)>x*m: x=-x
  return values[index]+x+ww
END METHOD
[code]
[QUOTE][B]Note:[/B] The [URL='https://peteroupc.github.io/randomgen.zip'][B]Python sample code[/B][/URL] contains a variant to the method above for returning more than one random number in one call.
[B]Example[/B]: Assume values is the following: [0, 1, 2, 2.5, 3], and weights is the following: [0.2, 0.8, 0.5, 0.3, 0.1]. The weight for 2 is 0.5, and that for 2.5 is 0.3. Since 2 has a higher weight than 2.5, numbers near 2 are more likely to be chosen than numbers near 2.5 with the PiecewiseLinear method.[/QUOTE]

[/SHOWTOGROUPS]
[/spoiler]
[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Specific Distributions
Methods to sample additional distributions are given in a separate page. They cover the normal, gamma, beta, von Mises, stable, and multivariate normal distributions as well as copulas. Note, however, that most of the methods won't sample the given distribution in a manner that minimizes approximation error, but they may still be useful if the application is willing to trade accuracy for speed.


Index of Non-Uniform Distributions
Many distributions here require random real numbers.

A † symbol next to a distribution means the random number can be shifted by a location parameter (mu) then scaled by a scale parameter greater than 0 (sigma). Example: num * sigma + mu.

A ⬦ symbol next to a distribution means the random number can be scaled to any range, which is given with the minimum and maximum values mini and maxi. Example: mini + (maxi - mini) * num.

For further examples, see (Devroye 1996)(68).

Most commonly used:


  • Beta distribution⬦: See Beta Distribution.
  • Binomial distribution: See Binomial Distribution.
  • Binormal distribution: See Multivariate Normal (Multinormal) Distribution.
  • Cauchy (Lorentz) distribution†: Stable(1, 0). This distribution is similar to the normal distribution, but with "fatter" tails. Alternative algorithm based on one mentioned in (McGrath and Irving 1975)(69): Generate x = RNDU01ZeroExc() and y = RNDU01ZeroExc() until x * x + y * y <= 1, then generate (RNDINT(1) * 2 - 1) * y / x.
  • Chi-squared distribution: GammaDist(df * 0.5 + Poisson(sms * 0.5), 2), where df is the number of degrees of freedom and sms is the sum of mean squares (where sms other than 0 indicates a noncentral distribution).
  • Dice: See Dice.
  • Exponential distribution: See Exponential Distribution. The naïve implementation -ln(1-RNDU01()) / lamda has several problems, such as being ill-conditioned at large values because of the distribution's right-sided tail (Pedersen 2018)(2), as well as returning infinity if RNDU01() becomes 1. An application can reduce some of these problems by applying Pedersen's suggestion of using either -ln(RNDRANGEMinExc(0, 0.5)) or -log1p(-RNDRANGEMinExc(0, 0.5)) (rather than -ln(1-RNDU01())), chosen at random each time; an alternative is ln(1/RNDU01ZeroExc()) mentioned in (Devroye 2006)(61).
  • Extreme value distribution: See generalized extreme value distribution.
  • Gamma distribution: See Gamma Distribution. 3-parameter gamma distribution: pow(GammaDist(a, 1), 1.0 / c) * b, where c is another shape parameter. 4-parameter gamma distribution: pow(GammaDist(a, 1), 1.0 / c) * b + d, where d is the minimum value.
  • Gaussian distribution: See Normal (Gaussian) Distribution.
  • Geometric distribution: See Geometric Distribution.
  • Gumbel distribution: See generalized extreme value distribution.
  • Inverse gamma distribution: b / GammaDist(a, 1), where a and b have the same meaning as in the gamma distribution. Alternatively, 1.0 / (pow(GammaDist(a, 1), 1.0 / c) / b + d), where c and d are shape and location parameters, respectively.
  • Laplace (double exponential) distribution†: (Expo(1) - Expo(1)).
  • Logarithmic distribution⬦: RNDU01OneExc() * RNDU01OneExc() (Saucier 2000, p. 26). In this distribution, lower numbers are exponentially more likely than higher numbers.
  • Logarithmic normal distribution: exp(Normal(mu, sigma)), where mu and sigma are the underlying normal distribution's parameters.
  • Multinormal distribution: See multivariate normal distribution.
  • Multivariate normal distribution: See Multivariate Normal (Multinormal) Distribution.
  • Normal distribution: See Normal (Gaussian) Distribution.
  • Poisson distribution: See "Poisson Distribution". If the application can trade accuracy for speed, the following can be used (Devroye 1986, p. 504)(14): c = 0; s = 0; while true; sum = sum + Expo(1); if sum>=mean: return c; else: c = c + 1; end; and in addition the following optimization from (Devroye 1991)(70) can be used: while mean > 20; n=ceil(mean-pow(mean,0.7)); g=GammaDist(n, 1); if g>=mean: return c+(n-1-Binomial(n-1,(g-mean)/g)); mean = mean - g; c = c + n; end, or the following approximation suggested in (Giammatteo and Di Mascio 2020)(71) for mean greater than 50: floor(1.0/3 + pow(max(0, Normal(0, 1)*pow(mean,1/6.0)*2/3 + pow(mean, 2.0/3)), 3.0/2)).
  • Pareto distribution: pow(RNDU01ZeroOneExc(), -1.0 / alpha) * minimum, where alpha is the shape and minimum is the minimum.
  • Rayleigh distribution†: sqrt(Expo(0.5)). If the scale parameter (sigma) follows a logarithmic normal distribution, the result is a Suzuki distribution.
  • Standard normal distribution†: Normal(0, 1). See also Normal (Gaussian) Distribution.
  • Student's t-distribution: Normal(cent, 1) / sqrt(GammaDist(df * 0.5, 2 / df)), where df is the number of degrees of freedom, and cent is the mean of the normally-distributed random number. A cent other than 0 indicates a noncentral distribution. Alternatively, cos(RNDRANGE(0, pi * 2)) * sqrt((pow(RNDU01(),-2.0/df)-1) * df) (Bailey 1994)(72).
  • Triangular distribution† (Stein and Keblis 2009)(73): (1-alpha) * min(a, b) + alpha * max(a, b), where alpha is in [0, 1], a = RNDU01(), and b = RNDU01().
  • Weibull distribution: See generalized extreme value distribution.


[/SHOWTOGROUPS]
 

emailx45

Бывалый
Staff member
Moderator
[SHOWTOGROUPS=4,20]
Miscellaneous:
  • Archimedean copulas: See Gaussian and Other Copulas.
  • Arcsine distribution⬦: BetaDist(0.5, 0.5) (Saucier 2000, p. 14).
  • Bates distribution: See Transformations of Random Numbers: Additional Examples.
  • Beckmann distribution: See Multivariate Normal (Multinormal) Distribution.
  • Beta binomial distribution: Binomial(trials, BetaDist(a, b)), where a and b are the two parameters of the beta distribution, and trials is a parameter of the binomial distribution.
  • Beta negative binomial distribution: NegativeBinomial(successes, BetaDist(a, b)), where a and b are the two parameters of the beta distribution, and successes is a parameter of the negative binomial distribution. If successes is 1, the result is a Waring–Yule distribution. A Yule–Simon distribution results if successes and b are both 1 (e.g., in Mathematica) or if successes and a are both 1 (in other works).
  • Beta-PERT distribution: startpt + size * BetaDist(1.0 + (midpt - startpt) * shape / size, 1.0 + (endpt - midpt) * shape / size). The distribution starts at startpt, peaks at midpt, and ends at endpt, size is endpt - startpt, and shape is a shape parameter that's 0 or greater, but usually 4. If the mean (mean) is known rather than the peak, midpt = 3 * mean / 2 - (startpt + endpt) / 4.
  • Beta prime distribution†: pow(GammaDist(a, 1), 1.0 / alpha) / pow(GammaDist(b, 1), 1.0 / alpha), where a, b, and alpha are shape parameters. If a is 1, the result is a Singh–Maddala distribution; if b is 1, a Dagum distribution; if a and b are both 1, a logarithmic logistic distribution.
  • Birnbaum–Saunders distribution: pow(sqrt(4+x*x)+x,2)/(4.0*lamda), where x = Normal(0,gamma), gamma is a shape parameter, and lamda is a scale parameter.
  • Chi distribution: Square root of a chi-squared random number. See chi-squared distribution.
  • Compound Poisson distribution: See Transformations of Random Numbers: Additional Examples.
  • Cosine distribution⬦: atan2(x, sqrt(1 - x * x)) / pi, where x = RNDRANGE(-1, 1) (Saucier 2000, p. 17; inverse sine replaced with atan2 equivalent).
  • Dagum distribution: See beta prime distribution.
  • Dirichlet distribution: See Random Real Numbers with a Given Positive Sum.
  • Double logarithmic distribution⬦: (0.5 + (RNDINT(1) * 2 - 1) * RNDRANGEMaxExc(0, 0.5) * RNDU01OneExc()) (see also Saucier 2000, p. 15, which shows the wrong X axes).
  • Erlang distribution: GammaDist(n, 1.0 / lamda). Returns a number that simulates a sum of n exponential random numbers with the given lamda parameter.
  • Estoup distribution: See zeta distribution.
  • Exponential power distribution (generalized normal distribution version 1): (RNDINT(1) * 2 - 1) * pow(GammaDist(1.0/a, 1), a), where a is a shape parameter.
  • Extended xgamma distribution (Saha et al. 2019)(74): GammaDist(alpha + x, theta), where x is 0 if RNDU01() <= theta/(theta+beta) and 2 otherwise, and where alpha, theta, and beta are shape parameters. If alpha = 0, the result is an xgamma distribution (Sen et al., 2016)(75).
  • Fréchet distribution: See generalized extreme value distribution.
  • Fréchet–Hoeffding lower bound copula: See Gaussian and Other Copulas.
  • Fréchet–Hoeffding upper bound copula: See Gaussian and Other Copulas.
  • Gaussian copula: See Gaussian and Other Copulas.
  • Generalized extreme value (Fisher–Tippett or generalized maximum value) distribution (GEV(c))†: (pow(Expo(1), -c) - 1) / c if c != 0, or -ln(Expo(1)) otherwise, where c is a shape parameter. Special cases:
    • The negative of the result expresses a generalized minimum value. In this case, a parameter of c = 0 results in a Gumbel distribution.
    • A parameter of c = 0 results in an extreme value distribution.
    • Weibull distribution: 1 - 1.0/a * GEV(-1.0/a) (or pow(Expo(1), 1.0/a)), where a is a shape parameter.
    • Fréchet distribution: 1 + 1.0/a * GEV(1.0/a) (or pow(Expo(1), -1.0/a)), where a is a shape parameter.
  • Generalized Tukey lambda distribution: (s1 * (pow(x, lamda1)-1.0)/lamda1 - s2 * (pow(1.0-x, lamda2)-1.0)/lamda2) + loc, where x is RNDU01(), lamda1 and lamda2 are shape parameters, s1 and s2 are scale parameters, and loc is a location parameter.
  • Half-normal distribution. Parameterizations include:
    • Mathematica: abs(Normal(0, sqrt(pi * 0.5) / invscale))), where invscale is a parameter of the half-normal distribution.
    • MATLAB: abs(Normal(mu, sigma))), where mu and sigma are the underlying normal distribution's parameters.

[/SHOWTOGROUPS]
 
Top