Mersenne Twister

From testwiki
Jump to navigation Jump to search

Template:Short description

The Mersenne Twister is a general-purpose pseudorandom number generator (PRNG) developed in 1997 by Template:Nihongo and Template:Nihongo.[1][2] Its name derives from the choice of a Mersenne prime as its period length.

The Mersenne Twister was designed specifically to rectify most of the flaws found in older PRNGs.

The most commonly used version of the Mersenne Twister algorithm is based on the Mersenne prime 2199371. The standard implementation of that, MT19937, uses a 32-bit word length. There is another implementation (with five variants[3]) that uses a 64-bit word length, MT19937-64; it generates a different sequence.

k-distribution

A pseudorandom sequence xi of w-bit integers of period P is said to be k-distributed to v-bit accuracy if the following holds.

Let truncv(x) denote the number formed by the leading v bits of x, and consider P of the kv-bit vectors
(truncv(xi),truncv(xi+1),,truncv(xi+k1))(0i<P).
Then each of the 2kv possible combinations of bits occurs the same number of times in a period, except for the all-zero combination that occurs once less often.

Algorithmic detail

Visualisation of generation of pseudo-random 32-bit integers using a Mersenne Twister. The 'Extract number' section shows an example where integer 0 has already been output and the index is at integer 1. 'Generate numbers' is run when all integers have been output.

For a w-bit word length, the Mersenne Twister generates integers in the range [0,2w1].

The Mersenne Twister algorithm is based on a matrix linear recurrence over a finite binary field F2. The algorithm is a twisted generalised feedback shift register[4] (twisted GFSR, or TGFSR) of rational normal form (TGFSR(R)), with state bit reflection and tempering. The basic idea is to define a series xi through a simple recurrence relation, and then output numbers of the form xiT, where T is an invertible F2-matrix called a tempering matrix.

The general algorithm is characterized by the following quantities:

  • w: word size (in number of bits)
  • n: degree of recurrence
  • m: middle word, an offset used in the recurrence relation defining the series x, 1m<n
  • r: separation point of one word, or the number of bits of the lower bitmask, 0rw1
  • a: coefficients of the rational normal form twist matrix
  • b, c: TGFSR(R) tempering bitmasks
  • s, t: TGFSR(R) tempering bit shifts
  • u, d, l: additional Mersenne Twister tempering bit shifts/masks

with the restriction that 2nwr1 is a Mersenne prime. This choice simplifies the primitivity test and k-distribution test that are needed in the parameter search.

The series x is defined as a series of w-bit quantities with the recurrence relation:

xk+n:=xk+m((xkuxk+1l)A)k=0,1,2,

where denotes concatenation of bit vectors (with upper bits on the left), the bitwise exclusive or (XOR), xku means the upper Template:Nowrap bits of xk, and xk+1l means the lower r bits of xk+1.

The subscripts may all be offset by -n

xk:=xk(nm)((xknuxk(n1)l)A)k=n,n+1,n+2,

where now the LHS, xk, is the next generated value in the series in terms of values generated in the past, which are on the RHS.

The twist transformation A is defined in rational normal form as:A=(0Iw1aw1(aw2,,a0)) with Iw1 as the (w1)(w1) identity matrix. The rational normal form has the benefit that multiplication by A can be efficiently expressed as: (remember that here matrix multiplication is being done in F2, and therefore bitwise XOR takes the place of addition)𝒙A={𝒙1x0=0(𝒙1)𝒂x0=1where x0 is the lowest order bit of x.

As like TGFSR(R), the Mersenne Twister is cascaded with a tempering transform to compensate for the reduced dimensionality of equidistribution (because of the choice of A being in the rational normal form). Note that this is equivalent to using the matrix A where A=T1*AT for T an invertible matrix, and therefore the analysis of characteristic polynomial mentioned below still holds.

As with A, we choose a tempering transform to be easily computable, and so do not actually construct T itself. This tempering is defined in the case of Mersenne Twister as

yx((xu)&d)yy((ys)&b)yy((yt)&c)zy(yl)

where x is the next value from the series, y is a temporary intermediate value, and z is the value returned from the algorithm, with and as the bitwise left and right shifts, and & as the bitwise AND. The first and last transforms are added in order to improve lower-bit equidistribution. From the property of TGFSR, s+tw21 is required to reach the upper bound of equidistribution for the upper bits.

The coefficients for MT19937 are:

(w,n,m,r)=(32,624,397,31)a=9908B0DF16(u,d)=(11,FFFFFFFF16)(s,b)=(7,9D2C568016)(t,c)=(15,EFC6000016)l=18

Note that 32-bit implementations of the Mersenne Twister generally have d = FFFFFFFF16. As a result, the d is occasionally omitted from the algorithm description, since the bitwise and with d in that case has no effect.

The coefficients for MT19937-64 are:[5]

(w,n,m,r)=(64,312,156,31)a=B5026F5AA96619E916(u,d)=(29,555555555555555516)(s,b)=(17,71D67FFFEDA6000016)(t,c)=(37,FFF7EEE00000000016)l=43

Initialization

The state needed for a Mersenne Twister implementation is an array of n values of w bits each. To initialize the array, a w-bit seed value is used to supply x0 through xn1 by setting x0 to the seed value and thereafter setting

xi=f×(xi1(xi1(w2)))+i

for i from 1 to n1.

  • The first value the algorithm then generates is based on xn, not on x0.
  • The constant f forms another parameter to the generator, though not part of the algorithm proper.
  • The value for f for MT19937 is 1812433253.
  • The value for f for MT19937-64 is 6364136223846793005.[5]

C code

#include <stdint.h>

#define n 624
#define m 397
#define w 32
#define r 31
#define UMASK (0xffffffffUL << r)
#define LMASK (0xffffffffUL >> (w-r))
#define a 0x9908b0dfUL
#define u 11
#define s 7
#define t 15
#define l 18
#define b 0x9d2c5680UL
#define c 0xefc60000UL
#define f 1812433253UL

typedef struct
{
    uint32_t state_array[n];         // the array for the state vector 
    int state_index;                 // index into state vector array, 0 <= state_index <= n-1   always
} mt_state;


void initialize_state(mt_state* state, uint32_t seed) 
{
    uint32_t* state_array = &(state->state_array[0]);
    
    state_array[0] = seed;                          // suggested initial seed = 19650218UL
    
    for (int i=1; i<n; i++)
    {
        seed = f * (seed ^ (seed >> (w-2))) + i;    // Knuth TAOCP Vol2. 3rd Ed. P.106 for multiplier.
        state_array[i] = seed; 
    }
    
    state->state_index = 0;
}


uint32_t random_uint32(mt_state* state)
{
    uint32_t* state_array = &(state->state_array[0]);
    
    int k = state->state_index;      // point to current state location
                                     // 0 <= state_index <= n-1   always
    
//  int k = k - n;                   // point to state n iterations before
//  if (k < 0) k += n;               // modulo n circular indexing
                                     // the previous 2 lines actually do nothing
                                     //  for illustration only
    
    int j = k - (n-1);               // point to state n-1 iterations before
    if (j < 0) j += n;               // modulo n circular indexing

    uint32_t x = (state_array[k] & UMASK) | (state_array[j] & LMASK);
    
    uint32_t xA = x >> 1;
    if (x & 0x00000001UL) xA ^= a;
    
    j = k - (n-m);                   // point to state n-m iterations before
    if (j < 0) j += n;               // modulo n circular indexing
    
    x = state_array[j] ^ xA;         // compute next value in the state
    state_array[k++] = x;            // update new state value
    
    if (k >= n) k = 0;               // modulo n circular indexing
    state->state_index = k;
    
    uint32_t y = x ^ (x >> u);       // tempering 
             y = y ^ ((y << s) & b);
             y = y ^ ((y << t) & c);
    uint32_t z = y ^ (y >> l);
    
    return z; 
}

Comparison with classical GFSR

In order to achieve the 2nwr1 theoretical upper limit of the period in a TGFSR, ϕB(t) must be a primitive polynomial, ϕB(t) being the characteristic polynomial of

B=(0Iw00Iw00Iw0000IwrS000)m-th row
S=(0IrIwr0)A

The twist transformation improves the classical GFSR with the following key properties:

  • The period reaches the theoretical upper limit 2nwr1 (except if initialized with 0)
  • Equidistribution in n dimensions (e.g. linear congruential generators can at best manage reasonable distribution in five dimensions)

Variants

CryptMT is a stream cipher and cryptographically secure pseudorandom number generator which uses Mersenne Twister internally.[6][7] It was developed by Matsumoto and Nishimura alongside Mariko Hagita and Mutsuo Saito. It has been submitted to the eSTREAM project of the eCRYPT network.[6] Unlike Mersenne Twister or its other derivatives, CryptMT is patented.

MTGP is a variant of Mersenne Twister optimised for graphics processing units published by Mutsuo Saito and Makoto Matsumoto.[8] The basic linear recurrence operations are extended from MT and parameters are chosen to allow many threads to compute the recursion in parallel, while sharing their state space to reduce memory load. The paper claims improved equidistribution over MT and performance on an old (2008-era) GPU (Nvidia GTX260 with 192 cores) of 4.7 ms for 5Γ—107 random 32-bit integers.

The SFMT (SIMD-oriented Fast Mersenne Twister) is a variant of Mersenne Twister, introduced in 2006,[9] designed to be fast when it runs on 128-bit SIMD.

  • It is roughly twice as fast as Mersenne Twister.[10]
  • It has a better equidistribution property of v-bit accuracy than MT but worse than WELL ("Well Equidistributed Long-period Linear").
  • It has quicker recovery from zero-excess initial state than MT, but slower than WELL.
  • It supports various periods from 2607 βˆ’ 1 to 2216091 βˆ’ 1.

Intel SSE2 and PowerPC AltiVec are supported by SFMT. It is also used for games with the Cell BE in the PlayStation 3.[11]

TinyMT is a variant of Mersenne Twister, proposed by Saito and Matsumoto in 2011.[12] TinyMT uses just 127 bits of state space, a significant decrease compared to the original's 2.5 KiB of state. However, it has a period of 21271, far shorter than the original, so it is only recommended by the authors in cases where memory is at a premium.

Characteristics

Template:Procon

Advantages:

  • Permissively-licensed and patent-free for all variants except CryptMT.
  • Passes numerous tests for statistical randomness, including the Diehard tests and most, but not all of the TestU01 tests.[13]
  • A very long period of 2199371. Note that while a long period is not a guarantee of quality in a random number generator, short periods, such as the 232 common in many older software packages, can be problematic.[14]
  • k-distributed to 32-bit accuracy for every 1k623
  • Implementations generally create random numbers faster than hardware-implemented methods. A study found that the Mersenne Twister creates 64-bit floating point random numbers approximately twenty times faster than the hardware-implemented, processor-based RDRAND instruction set.[15]

Disadvantages:

  • Relatively large state buffer, of almost 2.5 kB, unless the TinyMT variant is used.
  • Mediocre throughput by modern standards, unless the SFMT variant (discussed below) is used.[16]
  • Exhibits two clear failures (linear complexity) in both Crush and BigCrush in the TestU01 suite. The test, like Mersenne Twister, is based on an F2-algebra.[13]
  • Multiple instances that differ only in seed value (but not other parameters) are not generally appropriate for Monte-Carlo simulations that require independent random number generators, though there exists a method for choosing multiple sets of parameter values.[17][18]
  • Poor diffusion: can take a long time to start generating output that passes randomness tests, if the initial state is highly non-randomβ€”particularly if the initial state has many zeros. A consequence of this is that two instances of the generator, started with initial states that are almost the same, will usually output nearly the same sequence for many iterations, before eventually diverging. The 2002 update to the MT algorithm has improved initialization, so that beginning with such a state is very unlikely.[19] The GPU version (MTGP) is said to be even better.[20]
  • Contains subsequences with more 0's than 1's. This adds to the poor diffusion property to make recovery from many-zero states difficult.
  • Is not cryptographically secure, unless the CryptMT variant (discussed below) is used. The reason is that observing a sufficient number of iterations (624 in the case of MT19937, since this is the size of the state vector from which future iterations are produced) allows one to predict all future iterations.

Applications

The Mersenne Twister is used as default PRNG by the following software:

It is also available in Apache Commons,[47] in the standard C++ library (since C++11),[48][49] and in Mathematica.[50] Add-on implementations are provided in many program libraries, including the Boost C++ Libraries,[51] the CUDA Library,[52] and the NAG Numerical Library.[53]

The Mersenne Twister is one of two PRNGs in SPSS: the other generator is kept only for compatibility with older programs, and the Mersenne Twister is stated to be "more reliable".[54] The Mersenne Twister is similarly one of the PRNGs in SAS: the other generators are older and deprecated.[55] The Mersenne Twister is the default PRNG in Stata, the other one is KISS, for compatibility with older versions of Stata.[56]

Alternatives

An alternative generator, WELL ("Well Equidistributed Long-period Linear"), offers quicker recovery, and equal randomness, and nearly equal speed.[57]

Marsaglia's xorshift generators and variants are the fastest in the class of LFSRs.[58]

64-bit MELGs ("64-bit Maximally Equidistributed F2-Linear Generators with Mersenne Prime Period") are completely optimized in terms of the k-distribution properties.[59]

The ACORN family (published 1989) is another k-distributed PRNG, which shows similar computational speed to MT, and better statistical properties as it satisfies all the current (2019) TestU01 criteria; when used with appropriate choices of parameters, ACORN can have arbitrarily long period and precision.

The PCG family is a more modern long-period generator, with better cache locality, and less detectable bias using modern analysis methods.[60]

References

Template:Refs

Further reading

Template:Mersenne

  1. ↑ Template:Cite journal
  2. ↑ E.g. Marsland S. (2011) Machine Learning (CRC Press), Β§4.1.1. Also see the section "Adoption in software systems".
  3. ↑ Template:Cite web
  4. ↑ Template:Cite journal
  5. ↑ 5.0 5.1 Template:Cite web
  6. ↑ 6.0 6.1 Template:Cite web
  7. ↑ Template:Cite web
  8. ↑ Template:Cite arXiv
  9. ↑ Template:Cite web
  10. ↑ Template:Cite web
  11. ↑ Template:Cite web
  12. ↑ Template:Cite web
  13. ↑ 13.0 13.1 P. L'Ecuyer and R. Simard, "TestU01: "A C library for empirical testing of random number generators", ACM Transactions on Mathematical Software, 33, 4, Article 22 (August 2007).
  14. ↑ Note: 219937 is approximately 4.3 Γ— 106001; this is many orders of magnitude larger than the estimated number of particles in the observable universe, which is 1087.
  15. ↑ Template:Cite journal
  16. ↑ Template:Cite web
  17. ↑ Template:Cite web
  18. ↑ Template:Cite web
  19. ↑ Template:Cite web
  20. ↑ Template:Cite journal
  21. ↑ Template:Cite web
  22. ↑ Template:Cite web
  23. ↑ Template:Cite web
  24. ↑ Template:Cite web
  25. ↑ Template:Cite web
  26. ↑ Template:Cite web
  27. ↑ Template:Cite web
  28. ↑ Template:Cite web
  29. ↑ Template:Cite web
  30. ↑ Template:Cite web
  31. ↑ Template:Cite web
  32. ↑ Template:Cite web
  33. ↑ Template:Cite web
  34. ↑ Template:Cite web
  35. ↑ Template:Cite web
  36. ↑ Template:Cite web
  37. ↑ Template:Cite web
  38. ↑ Template:Cite web
  39. ↑ Template:Citation.
  40. ↑ Template:Cite web
  41. ↑ "uniform". Gretl Function Reference.
  42. ↑ Template:Cite web
  43. ↑ Template:Cite web
  44. ↑ Template:Cite web
  45. ↑ Template:Cite web
  46. ↑ Template:Cite web
  47. ↑ Template:Cite web
  48. ↑ Template:Cite web
  49. ↑ Template:Cite web
  50. ↑ [1] Mathematica Documentation
  51. ↑ Template:Cite web
  52. ↑ Template:Cite web
  53. ↑ Template:Cite web
  54. ↑ Template:Cite web
  55. ↑ Template:Cite web
  56. ↑ Stata help: set rng -- Set which random-number generator (RNG) to use
  57. ↑ P. L'Ecuyer, "Uniform Random Number Generators", International Encyclopedia of Statistical Science, Lovric, Miodrag (Ed.), Springer-Verlag, 2010.
  58. ↑ Template:Cite web
  59. ↑ Template:Cite journal
  60. ↑ Template:Cite web