Jump to content
 







Main menu
   


Navigation  



Main page
Contents
Current events
Random article
About Wikipedia
Contact us
Donate
 




Contribute  



Help
Learn to edit
Community portal
Recent changes
Upload file
 








Search  

































Create account

Log in
 









Create account
 Log in
 




Pages for logged out editors learn more  



Contributions
Talk
 



















Contents

   



(Top)
 


1 k-distribution  





2 Algorithmic detail  



2.1  Initialization  





2.2  C code  





2.3  Comparison with classical GFSR  







3 Variants  





4 Characteristics  





5 Applications  





6 Alternatives  





7 References  





8 Further reading  





9 External links  














Mersenne Twister






Deutsch
Español
Français

Italiano
Nederlands

Polski
Русский

Українська

 

Edit links
 









Article
Talk
 

















Read
Edit
View history
 








Tools
   


Actions  



Read
Edit
View history
 




General  



What links here
Related changes
Upload file
Special pages
Permanent link
Page information
Cite this page
Get shortened URL
Download QR code
Wikidata item
 




Print/export  



Download as PDF
Printable version
 
















Appearance
   

 






From Wikipedia, the free encyclopedia
 


The Mersenne Twister is a general-purpose pseudorandom number generator (PRNG) developed in 1997 by Makoto Matsumoto (松本 眞) and Takuji Nishimura (西村 拓士).[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 . 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[edit]

A pseudorandom sequence ofw-bit integers of period P is said to be k-distributedtov-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 k v-bit vectors
.
Then each of the 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[edit]

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 .

The Mersenne Twister algorithm is based on a matrix linear recurrence over a finite binary field . 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 through a simple recurrence relation, and then output numbers of the form , where T is an invertible -matrix called a tempering matrix.

The general algorithm is characterized by the following quantities:

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

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

where denotes concatenation of bit vectors (with upper bits on the left), the bitwise exclusive or (XOR), means the upper wr bits of , and means the lower r bits of .

The subscripts may all be offset by -n

where now the LHS, , 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: with as the 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 , and therefore bitwise XOR takes the place of addition)where is the lowest order bit of .

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 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

where is the next value from the series, is a temporary intermediate value, and 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, is required to reach the upper bound of equidistribution for the upper bits.

The coefficients for MT19937 are:

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]

Initialization[edit]

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 through by setting to the seed value and thereafter setting

for from to.

C code[edit]

#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[edit]

In order to achieve the theoretical upper limit of the period in a TGFSR, must be a primitive polynomial, being the characteristic polynomialof

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

Variants[edit]

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.

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 , far shorter than the original, so it is only recommended by the authors in cases where memory is at a premium.

Characteristics[edit]

Advantages:

Disadvantages:

Applications[edit]

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[edit]

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 -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[edit]

  1. ^ Matsumoto, M.; Nishimura, T. (1998). "Mersenne twister: a 623-dimensionally equidistributed uniform pseudo-random number generator". ACM Transactions on Modeling and Computer Simulation. 8 (1): 3–30. CiteSeerX 10.1.1.215.1141. doi:10.1145/272991.272995. S2CID 3332028.
  • ^ E.g. Marsland S. (2011) Machine Learning (CRC Press), §4.1.1. Also see the section "Adoption in software systems".
  • ^ John Savard. "The Mersenne Twister". A subsequent paper, published in the year 2000, gave five additional forms of the Mersenne Twister with period 2^19937-1. All five were designed to be implemented with 64-bit arithmetic instead of 32-bit arithmetic.
  • ^ Matsumoto, M.; Kurita, Y. (1992). "Twisted GFSR generators". ACM Transactions on Modeling and Computer Simulation. 2 (3): 179–194. doi:10.1145/146382.146383. S2CID 15246234.
  • ^ a b "std::mersenne_twister_engine". Pseudo Random Number Generation. Retrieved 2015-07-20.
  • ^ a b "CryptMt and Fubuki". eCRYPT. Archived from the original on 2012-07-01. Retrieved 2017-11-12.
  • ^ Matsumoto, Makoto; Nishimura, Takuji; Hagita, Mariko; Saito, Mutsuo (2005). "Cryptographic Mersenne Twister and Fubuki Stream/Block Cipher" (PDF).
  • ^ Mutsuo Saito; Makoto Matsumoto (2010). "Variants of Mersenne Twister Suitable for Graphic Processors". arXiv:1005.4973v3 [cs.MS].
  • ^ "SIMD-oriented Fast Mersenne Twister (SFMT)". hiroshima-u.ac.jp. Retrieved 4 October 2015.
  • ^ "SFMT:Comparison of speed". hiroshima-u.ac.jp. Retrieved 4 October 2015.
  • ^ "PlayStation3 License". scei.co.jp. Retrieved 4 October 2015.
  • ^ "Tiny Mersenne Twister (TinyMT)". hiroshima-u.ac.jp. Retrieved 4 October 2015.
  • ^ a b 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).
  • ^ 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.
  • ^ Route, Matthew (August 10, 2017). "Radio-flaring Ultracool Dwarf Population Synthesis". The Astrophysical Journal. 845 (1): 66. arXiv:1707.02212. Bibcode:2017ApJ...845...66R. doi:10.3847/1538-4357/aa7ede. S2CID 118895524.
  • ^ "SIMD-oriented Fast Mersenne Twister (SFMT): twice faster than Mersenne Twister". Japan Society for the Promotion of Science. Retrieved 27 March 2017.
  • ^ Makoto Matsumoto; Takuji Nishimura. "Dynamic Creation of Pseudorandom Number Generators" (PDF). Retrieved 19 July 2015.
  • ^ Hiroshi Haramoto; Makoto Matsumoto; Takuji Nishimura; François Panneton; Pierre L'Ecuyer. "Efficient Jump Ahead for F2-Linear Random Number Generators" (PDF). Retrieved 12 Nov 2015.
  • ^ "mt19937ar: Mersenne Twister with improved initialization". hiroshima-u.ac.jp. Retrieved 4 October 2015.
  • ^ Fog, Agner (1 May 2015). "Pseudo-Random Number Generators for Vector Processors and Multicore Processors". Journal of Modern Applied Statistical Methods. 14 (1): 308–334. doi:10.22237/jmasm/1430454120.
  • ^ "Random link". Dyalog Language Reference Guide. Retrieved 2020-06-04.
  • ^ "RANDOMU (IDL Reference)". Exelis VIS Docs Center. Retrieved 2013-08-23.
  • ^ "Random Number Generators". CRAN Task View: Probability Distributions. Retrieved 2012-05-29.
  • ^ ""Random" class documentation". Ruby 1.9.3 documentation. Retrieved 2012-05-29.
  • ^ "random". free pascal documentation. Retrieved 2013-11-28.
  • ^ "mt_rand — Generate a better random value". PHP Manual. Retrieved 2016-03-02.
  • ^ "NumPy 1.17.0 Release Notes — NumPy v1.21 Manual". numpy.org. Retrieved 2021-06-29.
  • ^ "9.6 random — Generate pseudo-random numbers". Python v2.6.8 documentation. Retrieved 2012-05-29.
  • ^ "8.6 random — Generate pseudo-random numbers". Python v3.2 documentation. Retrieved 2012-05-29.
  • ^ "random — Generate pseudo-random numbers — Python 3.8.3 documentation". Python 3.8.3 documentation. Retrieved 2020-06-23.
  • ^ "Design choices and extensions". CMUCL User's Manual. Retrieved 2014-02-03.
  • ^ "Random states". The ECL manual. Retrieved 2015-09-20.
  • ^ "Random Number Generation". SBCL User's Manual.
  • ^ "Random Numbers · The Julia Language". docs.julialang.org. Retrieved 2022-06-21.
  • ^ "Random Numbers: GLib Reference Manual".
  • ^ "Random Number Algorithms". GNU MP. Retrieved 2013-11-21.
  • ^ "16.3 Special Utility Matrices". GNU Octave. Built-in Function: rand
  • ^ "Random number environment variables". GNU Scientific Library. Retrieved 2013-11-24.
  • ^ Mélard, G. (2014), "On the accuracy of statistical procedures in Microsoft Excel 2010", Computational Statistics, 29 (5): 1095–1128, CiteSeerX 10.1.1.455.5508, doi:10.1007/s00180-014-0482-5, S2CID 54032450.
  • ^ "GAUSS 14 Language Reference" (PDF).
  • ^ "uniform". Gretl Function Reference.
  • ^ "New random-number generator—64-bit Mersenne Twister".
  • ^ "Probability Distributions — Sage Reference Manual v7.2: Probablity".
  • ^ "grand - Random numbers". Scilab Help.
  • ^ "random number generator". Maple Online Help. Retrieved 2013-11-21.
  • ^ "Random number generator algorithms". Documentation Center, MathWorks.
  • ^ "Data Generation". Apache Commons Math User Guide.
  • ^ "Random Number Generation in C++11" (PDF). Standard C++ Foundation.
  • ^ "std::mersenne_twister_engine". Pseudo Random Number Generation. Retrieved 2012-09-25.
  • ^ [1] Mathematica Documentation
  • ^ "boost/random/mersenne_twister.hpp". Boost C++ Libraries. Retrieved 2012-05-29.
  • ^ "Host API Overview". CUDA Toolkit Documentation. Retrieved 2016-08-02.
  • ^ "G05 – Random Number Generators". NAG Library Chapter Introduction. Retrieved 2012-05-29.
  • ^ "Random Number Generators". IBM SPSS Statistics. Retrieved 2013-11-21.
  • ^ "Using Random-Number Functions". SAS Language Reference. Retrieved 2013-11-21.
  • ^ Stata help: set rng -- Set which random-number generator (RNG) to use
  • ^ P. L'Ecuyer, "Uniform Random Number Generators", International Encyclopedia of Statistical Science, Lovric, Miodrag (Ed.), Springer-Verlag, 2010.
  • ^ "xorshift*/xorshift+ generators and the PRNG shootout".
  • ^ Harase, S.; Kimoto, T. (2018). "Implementing 64-bit Maximally Equidistributed F2-Linear Generators with Mersenne Prime Period". ACM Transactions on Mathematical Software. 44 (3): 30:1–30:11. arXiv:1505.06582. doi:10.1145/3159444. S2CID 14923086.
  • ^ "The PCG Paper". 27 July 2017.
  • Further reading[edit]

    External links[edit]


    Retrieved from "https://en.wikipedia.org/w/index.php?title=Mersenne_Twister&oldid=1231405159"

    Categories: 
    Pseudorandom number generators
    Japanese inventions
    Hidden categories: 
    Articles with short description
    Short description is different from Wikidata
    Articles containing Japanese-language text
    Articles containing pro and con lists
    Wikipedia articles with style issues from March 2024
    All articles with style issues
    Articles with example pseudocode
     



    This page was last edited on 28 June 2024, at 03:10 (UTC).

    Text is available under the Creative Commons Attribution-ShareAlike License 4.0; additional terms may apply. By using this site, you agree to the Terms of Use and Privacy Policy. Wikipedia® is a registered trademark of the Wikimedia Foundation, Inc., a non-profit organization.



    Privacy policy

    About Wikipedia

    Disclaimers

    Contact Wikipedia

    Code of Conduct

    Developers

    Statistics

    Cookie statement

    Mobile view



    Wikimedia Foundation
    Powered by MediaWiki