home *** CD-ROM | disk | FTP | other *** search
/ GameStar 2006 January / Gamestar_80_2006-01_dvd.iso / Dema / Civilization4 / data1.cab / Civ4DemoComponent / Assets / Python / System / random.pyc (.txt) < prev    next >
Encoding:
Python Compiled Bytecode  |  2005-11-09  |  23.4 KB  |  770 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.4)
  3.  
  4. '''Random variable generators.
  5.  
  6.     integers
  7.     --------
  8.            uniform within range
  9.  
  10.     sequences
  11.     ---------
  12.            pick random element
  13.            pick random sample
  14.            generate random permutation
  15.  
  16.     distributions on the real line:
  17.     ------------------------------
  18.            uniform
  19.            normal (Gaussian)
  20.            lognormal
  21.            negative exponential
  22.            gamma
  23.            beta
  24.            pareto
  25.            Weibull
  26.  
  27.     distributions on the circle (angles 0 to 2pi)
  28.     ---------------------------------------------
  29.            circular uniform
  30.            von Mises
  31.  
  32. General notes on the underlying Mersenne Twister core generator:
  33.  
  34. * The period is 2**19937-1.
  35. * It is one of the most extensively tested generators in existence
  36. * Without a direct way to compute N steps forward, the
  37.   semantics of jumpahead(n) are weakened to simply jump
  38.   to another distant state and rely on the large period
  39.   to avoid overlapping sequences.
  40. * The random() method is implemented in C, executes in
  41.   a single Python step, and is, therefore, threadsafe.
  42.  
  43. '''
  44. from warnings import warn as _warn
  45. from types import MethodType as _MethodType, BuiltinMethodType as _BuiltinMethodType
  46. from math import log as _log, exp as _exp, pi as _pi, e as _e
  47. from math import sqrt as _sqrt, acos as _acos, cos as _cos, sin as _sin
  48. from math import floor as _floor
  49. from os import urandom as _urandom
  50. from binascii import hexlify as _hexlify
  51. __all__ = [
  52.     'Random',
  53.     'seed',
  54.     'random',
  55.     'uniform',
  56.     'randint',
  57.     'choice',
  58.     'sample',
  59.     'randrange',
  60.     'shuffle',
  61.     'normalvariate',
  62.     'lognormvariate',
  63.     'expovariate',
  64.     'vonmisesvariate',
  65.     'gammavariate',
  66.     'gauss',
  67.     'betavariate',
  68.     'paretovariate',
  69.     'weibullvariate',
  70.     'getstate',
  71.     'setstate',
  72.     'jumpahead',
  73.     'WichmannHill',
  74.     'getrandbits',
  75.     'SystemRandom']
  76. NV_MAGICCONST = 4 * _exp(-0.5) / _sqrt(2.0)
  77. TWOPI = 2.0 * _pi
  78. LOG4 = _log(4.0)
  79. SG_MAGICCONST = 1.0 + _log(4.5)
  80. BPF = 53
  81. RECIP_BPF = 2 ** (-BPF)
  82. import _random
  83.  
  84. class Random(_random.Random):
  85.     """Random number generator base class used by bound module functions.
  86.  
  87.     Used to instantiate instances of Random to get generators that don't
  88.     share state.  Especially useful for multi-threaded programs, creating
  89.     a different instance of Random for each thread, and using the jumpahead()
  90.     method to ensure that the generated sequences seen by each thread don't
  91.     overlap.
  92.  
  93.     Class Random can also be subclassed if you want to use a different basic
  94.     generator of your own devising: in that case, override the following
  95.     methods:  random(), seed(), getstate(), setstate() and jumpahead().
  96.     Optionally, implement a getrandombits() method so that randrange()
  97.     can cover arbitrarily large ranges.
  98.  
  99.     """
  100.     VERSION = 2
  101.     
  102.     def __init__(self, x = None):
  103.         '''Initialize an instance.
  104.  
  105.         Optional argument x controls seeding, as for Random.seed().
  106.         '''
  107.         self.seed(x)
  108.         self.gauss_next = None
  109.  
  110.     
  111.     def seed(self, a = None):
  112.         '''Initialize internal state from hashable object.
  113.  
  114.         None or no argument seeds from current time or from an operating
  115.         system specific randomness source if available.
  116.  
  117.         If a is not None or an int or long, hash(a) is used instead.
  118.         '''
  119.         if a is None:
  120.             
  121.             try:
  122.                 a = long(_hexlify(_urandom(16)), 16)
  123.             except NotImplementedError:
  124.                 import time
  125.                 a = long(time.time() * 256)
  126.             except:
  127.                 None<EXCEPTION MATCH>NotImplementedError
  128.             
  129.  
  130.         None<EXCEPTION MATCH>NotImplementedError
  131.         super(Random, self).seed(a)
  132.         self.gauss_next = None
  133.  
  134.     
  135.     def getstate(self):
  136.         '''Return internal state; can be passed to setstate() later.'''
  137.         return (self.VERSION, super(Random, self).getstate(), self.gauss_next)
  138.  
  139.     
  140.     def setstate(self, state):
  141.         '''Restore internal state from object returned by getstate().'''
  142.         version = state[0]
  143.         if version == 2:
  144.             (version, internalstate, self.gauss_next) = state
  145.             super(Random, self).setstate(internalstate)
  146.         else:
  147.             raise ValueError('state with version %s passed to Random.setstate() of version %s' % (version, self.VERSION))
  148.  
  149.     
  150.     def __getstate__(self):
  151.         return self.getstate()
  152.  
  153.     
  154.     def __setstate__(self, state):
  155.         self.setstate(state)
  156.  
  157.     
  158.     def __reduce__(self):
  159.         return (self.__class__, (), self.getstate())
  160.  
  161.     
  162.     def randrange(self, start, stop = None, step = 1, int = int, default = None, maxwidth = 0x1L << BPF):
  163.         """Choose a random item from range(start, stop[, step]).
  164.  
  165.         This fixes the problem with randint() which includes the
  166.         endpoint; in Python this is usually not what you want.
  167.         Do not supply the 'int', 'default', and 'maxwidth' arguments.
  168.         """
  169.         istart = int(start)
  170.         if istart != start:
  171.             raise ValueError, 'non-integer arg 1 for randrange()'
  172.         
  173.         if stop is default:
  174.             if istart > 0:
  175.                 if istart >= maxwidth:
  176.                     return self._randbelow(istart)
  177.                 
  178.                 return int(self.random() * istart)
  179.             
  180.             raise ValueError, 'empty range for randrange()'
  181.         
  182.         istop = int(stop)
  183.         if istop != stop:
  184.             raise ValueError, 'non-integer stop for randrange()'
  185.         
  186.         width = istop - istart
  187.         if step == 1 and width > 0:
  188.             if width >= maxwidth:
  189.                 return int(istart + self._randbelow(width))
  190.             
  191.             return int(istart + int(self.random() * width))
  192.         
  193.         if step == 1:
  194.             raise ValueError, 'empty range for randrange() (%d,%d, %d)' % (istart, istop, width)
  195.         
  196.         istep = int(step)
  197.         if istep != step:
  198.             raise ValueError, 'non-integer step for randrange()'
  199.         
  200.         if istep > 0:
  201.             n = (width + istep - 1) // istep
  202.         elif istep < 0:
  203.             n = (width + istep + 1) // istep
  204.         else:
  205.             raise ValueError, 'zero step for randrange()'
  206.         if n <= 0:
  207.             raise ValueError, 'empty range for randrange()'
  208.         
  209.         if n >= maxwidth:
  210.             return istart + self._randbelow(n)
  211.         
  212.         return istart + istep * int(self.random() * n)
  213.  
  214.     
  215.     def randint(self, a, b):
  216.         '''Return random integer in range [a, b], including both end points.
  217.         '''
  218.         return self.randrange(a, b + 1)
  219.  
  220.     
  221.     def _randbelow(self, n, _log = _log, int = int, _maxwidth = 0x1L << BPF, _Method = _MethodType, _BuiltinMethod = _BuiltinMethodType):
  222.         '''Return a random int in the range [0,n)
  223.  
  224.         Handles the case where n has more bits than returned
  225.         by a single call to the underlying generator.
  226.         '''
  227.         
  228.         try:
  229.             getrandbits = self.getrandbits
  230.         except AttributeError:
  231.             pass
  232.  
  233.         if type(self.random) is _BuiltinMethod or type(getrandbits) is _Method:
  234.             k = int(1.0000100000000001 + _log(n - 1, 2.0))
  235.             r = getrandbits(k)
  236.             while r >= n:
  237.                 r = getrandbits(k)
  238.             return r
  239.         
  240.         if n >= _maxwidth:
  241.             _warn('Underlying random() generator does not supply \nenough bits to choose from a population range this large')
  242.         
  243.         return int(self.random() * n)
  244.  
  245.     
  246.     def choice(self, seq):
  247.         '''Choose a random element from a non-empty sequence.'''
  248.         return seq[int(self.random() * len(seq))]
  249.  
  250.     
  251.     def shuffle(self, x, random = None, int = int):
  252.         '''x, random=random.random -> shuffle list x in place; return None.
  253.  
  254.         Optional arg random is a 0-argument function returning a random
  255.         float in [0.0, 1.0); by default, the standard random.random.
  256.  
  257.         Note that for even rather small len(x), the total number of
  258.         permutations of x is larger than the period of most random number
  259.         generators; this implies that "most" permutations of a long
  260.         sequence can never be generated.
  261.         '''
  262.         if random is None:
  263.             random = self.random
  264.         
  265.         for i in reversed(xrange(1, len(x))):
  266.             j = int(random() * (i + 1))
  267.             x[i] = x[j]
  268.             x[j] = x[i]
  269.         
  270.  
  271.     
  272.     def sample(self, population, k):
  273.         '''Chooses k unique random elements from a population sequence.
  274.  
  275.         Returns a new list containing elements from the population while
  276.         leaving the original population unchanged.  The resulting list is
  277.         in selection order so that all sub-slices will also be valid random
  278.         samples.  This allows raffle winners (the sample) to be partitioned
  279.         into grand prize and second place winners (the subslices).
  280.  
  281.         Members of the population need not be hashable or unique.  If the
  282.         population contains repeats, then each occurrence is a possible
  283.         selection in the sample.
  284.  
  285.         To choose a sample in a range of integers, use xrange as an argument.
  286.         This is especially fast and space efficient for sampling from a
  287.         large population:   sample(xrange(10000000), 60)
  288.         '''
  289.         n = len(population)
  290.         if k <= k:
  291.             pass
  292.         elif not k <= n:
  293.             raise ValueError, 'sample larger than population'
  294.         
  295.         random = self.random
  296.         _int = int
  297.         result = [
  298.             None] * k
  299.         if n < 6 * k:
  300.             pool = list(population)
  301.             for i in xrange(k):
  302.                 j = _int(random() * (n - i))
  303.                 result[i] = pool[j]
  304.                 pool[j] = pool[n - i - 1]
  305.             
  306.         else:
  307.             
  308.             try:
  309.                 if n > 0:
  310.                     pass
  311.                 (population[0], population[n // 2], population[n - 1])
  312.             except (TypeError, KeyError):
  313.                 population = tuple(population)
  314.  
  315.             selected = { }
  316.             for i in xrange(k):
  317.                 j = _int(random() * n)
  318.                 while j in selected:
  319.                     j = _int(random() * n)
  320.                 result[i] = selected[j] = population[j]
  321.             
  322.         return result
  323.  
  324.     
  325.     def uniform(self, a, b):
  326.         '''Get a random number in the range [a, b).'''
  327.         return a + (b - a) * self.random()
  328.  
  329.     
  330.     def normalvariate(self, mu, sigma):
  331.         '''Normal distribution.
  332.  
  333.         mu is the mean, and sigma is the standard deviation.
  334.  
  335.         '''
  336.         random = self.random
  337.         while True:
  338.             u1 = random()
  339.             u2 = 1.0 - random()
  340.             z = NV_MAGICCONST * (u1 - 0.5) / u2
  341.             zz = z * z / 4.0
  342.             if zz <= -_log(u2):
  343.                 break
  344.                 continue
  345.         return mu + z * sigma
  346.  
  347.     
  348.     def lognormvariate(self, mu, sigma):
  349.         """Log normal distribution.
  350.  
  351.         If you take the natural logarithm of this distribution, you'll get a
  352.         normal distribution with mean mu and standard deviation sigma.
  353.         mu can have any value, and sigma must be greater than zero.
  354.  
  355.         """
  356.         return _exp(self.normalvariate(mu, sigma))
  357.  
  358.     
  359.     def expovariate(self, lambd):
  360.         '''Exponential distribution.
  361.  
  362.         lambd is 1.0 divided by the desired mean.  (The parameter would be
  363.         called "lambda", but that is a reserved word in Python.)  Returned
  364.         values range from 0 to positive infinity.
  365.  
  366.         '''
  367.         random = self.random
  368.         u = random()
  369.         while u <= 9.9999999999999995e-008:
  370.             u = random()
  371.         return -_log(u) / lambd
  372.  
  373.     
  374.     def vonmisesvariate(self, mu, kappa):
  375.         '''Circular data distribution.
  376.  
  377.         mu is the mean angle, expressed in radians between 0 and 2*pi, and
  378.         kappa is the concentration parameter, which must be greater than or
  379.         equal to zero.  If kappa is equal to zero, this distribution reduces
  380.         to a uniform random angle over the range 0 to 2*pi.
  381.  
  382.         '''
  383.         random = self.random
  384.         if kappa <= 9.9999999999999995e-007:
  385.             return TWOPI * random()
  386.         
  387.         a = 1.0 + _sqrt(1.0 + 4.0 * kappa * kappa)
  388.         b = (a - _sqrt(2.0 * a)) / (2.0 * kappa)
  389.         r = (1.0 + b * b) / (2.0 * b)
  390.         while True:
  391.             u1 = random()
  392.             z = _cos(_pi * u1)
  393.             f = (1.0 + r * z) / (r + z)
  394.             c = kappa * (r - f)
  395.             u2 = random()
  396.             if not u2 >= c * (2.0 - c) and u2 > c * _exp(1.0 - c):
  397.                 break
  398.                 continue
  399.         u3 = random()
  400.         if u3 > 0.5:
  401.             theta = mu % TWOPI + _acos(f)
  402.         else:
  403.             theta = mu % TWOPI - _acos(f)
  404.         return theta
  405.  
  406.     
  407.     def gammavariate(self, alpha, beta):
  408.         '''Gamma distribution.  Not the gamma function!
  409.  
  410.         Conditions on the parameters are alpha > 0 and beta > 0.
  411.  
  412.         '''
  413.         if alpha <= 0.0 or beta <= 0.0:
  414.             raise ValueError, 'gammavariate: alpha and beta must be > 0.0'
  415.         
  416.         random = self.random
  417.         if alpha > 1.0:
  418.             ainv = _sqrt(2.0 * alpha - 1.0)
  419.             bbb = alpha - LOG4
  420.             ccc = alpha + ainv
  421.             while True:
  422.                 u1 = random()
  423.                 if u1 < u1:
  424.                     pass
  425.                 elif not u1 < 0.99999990000000005:
  426.                     continue
  427.                 
  428.                 u2 = 1.0 - random()
  429.                 v = _log(u1 / (1.0 - u1)) / ainv
  430.                 x = alpha * _exp(v)
  431.                 z = u1 * u1 * u2
  432.                 r = bbb + ccc * v - x
  433.                 if r + SG_MAGICCONST - 4.5 * z >= 0.0 or r >= _log(z):
  434.                     return x * beta
  435.                     continue
  436.                 9.9999999999999995e-008
  437.         elif alpha == 1.0:
  438.             u = random()
  439.             while u <= 9.9999999999999995e-008:
  440.                 u = random()
  441.             return -_log(u) * beta
  442.         else:
  443.             while True:
  444.                 u = random()
  445.                 b = (_e + alpha) / _e
  446.                 p = b * u
  447.                 if p <= 1.0:
  448.                     x = pow(p, 1.0 / alpha)
  449.                 else:
  450.                     x = -_log((b - p) / alpha)
  451.                 u1 = random()
  452.                 if not (p <= 1.0 or u1 > _exp(-x)) and p > 1 and u1 > pow(x, alpha - 1.0):
  453.                     break
  454.                     continue
  455.             return x * beta
  456.  
  457.     
  458.     def gauss(self, mu, sigma):
  459.         '''Gaussian distribution.
  460.  
  461.         mu is the mean, and sigma is the standard deviation.  This is
  462.         slightly faster than the normalvariate() function.
  463.  
  464.         Not thread-safe without a lock around calls.
  465.  
  466.         '''
  467.         random = self.random
  468.         z = self.gauss_next
  469.         self.gauss_next = None
  470.         if z is None:
  471.             x2pi = random() * TWOPI
  472.             g2rad = _sqrt(-2.0 * _log(1.0 - random()))
  473.             z = _cos(x2pi) * g2rad
  474.             self.gauss_next = _sin(x2pi) * g2rad
  475.         
  476.         return mu + z * sigma
  477.  
  478.     
  479.     def betavariate(self, alpha, beta):
  480.         '''Beta distribution.
  481.  
  482.         Conditions on the parameters are alpha > -1 and beta} > -1.
  483.         Returned values range between 0 and 1.
  484.  
  485.         '''
  486.         y = self.gammavariate(alpha, 1.0)
  487.         if y == 0:
  488.             return 0.0
  489.         else:
  490.             return y / (y + self.gammavariate(beta, 1.0))
  491.  
  492.     
  493.     def paretovariate(self, alpha):
  494.         '''Pareto distribution.  alpha is the shape parameter.'''
  495.         u = 1.0 - self.random()
  496.         return 1.0 / pow(u, 1.0 / alpha)
  497.  
  498.     
  499.     def weibullvariate(self, alpha, beta):
  500.         '''Weibull distribution.
  501.  
  502.         alpha is the scale parameter and beta is the shape parameter.
  503.  
  504.         '''
  505.         u = 1.0 - self.random()
  506.         return alpha * pow(-_log(u), 1.0 / beta)
  507.  
  508.  
  509.  
  510. class WichmannHill(Random):
  511.     VERSION = 1
  512.     
  513.     def seed(self, a = None):
  514.         '''Initialize internal state from hashable object.
  515.  
  516.         None or no argument seeds from current time or from an operating
  517.         system specific randomness source if available.
  518.  
  519.         If a is not None or an int or long, hash(a) is used instead.
  520.  
  521.         If a is an int or long, a is used directly.  Distinct values between
  522.         0 and 27814431486575L inclusive are guaranteed to yield distinct
  523.         internal states (this guarantee is specific to the default
  524.         Wichmann-Hill generator).
  525.         '''
  526.         if a is None:
  527.             
  528.             try:
  529.                 a = long(_hexlify(_urandom(16)), 16)
  530.             except NotImplementedError:
  531.                 import time
  532.                 a = long(time.time() * 256)
  533.             except:
  534.                 None<EXCEPTION MATCH>NotImplementedError
  535.             
  536.  
  537.         None<EXCEPTION MATCH>NotImplementedError
  538.         if not isinstance(a, (int, long)):
  539.             a = hash(a)
  540.         
  541.         (a, x) = divmod(a, 30268)
  542.         (a, y) = divmod(a, 30306)
  543.         (a, z) = divmod(a, 30322)
  544.         self._seed = (int(x) + 1, int(y) + 1, int(z) + 1)
  545.         self.gauss_next = None
  546.  
  547.     
  548.     def random(self):
  549.         '''Get the next random number in the range [0.0, 1.0).'''
  550.         (x, y, z) = self._seed
  551.         x = 171 * x % 30269
  552.         y = 172 * y % 30307
  553.         z = 170 * z % 30323
  554.         self._seed = (x, y, z)
  555.         return (x / 30269.0 + y / 30307.0 + z / 30323.0) % 1.0
  556.  
  557.     
  558.     def getstate(self):
  559.         '''Return internal state; can be passed to setstate() later.'''
  560.         return (self.VERSION, self._seed, self.gauss_next)
  561.  
  562.     
  563.     def setstate(self, state):
  564.         '''Restore internal state from object returned by getstate().'''
  565.         version = state[0]
  566.         if version == 1:
  567.             (version, self._seed, self.gauss_next) = state
  568.         else:
  569.             raise ValueError('state with version %s passed to Random.setstate() of version %s' % (version, self.VERSION))
  570.  
  571.     
  572.     def jumpahead(self, n):
  573.         '''Act as if n calls to random() were made, but quickly.
  574.  
  575.         n is an int, greater than or equal to 0.
  576.  
  577.         Example use:  If you have 2 threads and know that each will
  578.         consume no more than a million random numbers, create two Random
  579.         objects r1 and r2, then do
  580.             r2.setstate(r1.getstate())
  581.             r2.jumpahead(1000000)
  582.         Then r1 and r2 will use guaranteed-disjoint segments of the full
  583.         period.
  584.         '''
  585.         if not n >= 0:
  586.             raise ValueError('n must be >= 0')
  587.         
  588.         (x, y, z) = self._seed
  589.         x = int(x * pow(171, n, 30269)) % 30269
  590.         y = int(y * pow(172, n, 30307)) % 30307
  591.         z = int(z * pow(170, n, 30323)) % 30323
  592.         self._seed = (x, y, z)
  593.  
  594.     
  595.     def __whseed(self, x = 0, y = 0, z = 0):
  596.         '''Set the Wichmann-Hill seed from (x, y, z).
  597.  
  598.         These must be integers in the range [0, 256).
  599.         '''
  600.         if type(y) == type(y) and type(z) == type(z):
  601.             pass
  602.         elif not type(z) == int:
  603.             raise TypeError('seeds must be integers')
  604.         
  605.         if x <= x:
  606.             pass
  607.         elif x < 256:
  608.             if y <= y:
  609.                 pass
  610.             elif y < 256:
  611.                 if z <= z:
  612.                     pass
  613.                 elif not z < 256:
  614.                     raise ValueError('seeds must be in range(0, 256)')
  615.                 
  616.         if x == x and y == y:
  617.             pass
  618.         elif y == z:
  619.             import time
  620.             t = long(time.time() * 256)
  621.             t = int(t & 16777215 ^ t >> 24)
  622.             (t, x) = divmod(t, 256)
  623.             (t, y) = divmod(t, 256)
  624.             (t, z) = divmod(t, 256)
  625.         
  626.         if not x:
  627.             pass
  628.         if not y:
  629.             pass
  630.         if not z:
  631.             pass
  632.         self._seed = (1, 1, 1)
  633.         self.gauss_next = None
  634.  
  635.     
  636.     def whseed(self, a = None):
  637.         """Seed from hashable object's hash code.
  638.  
  639.         None or no argument seeds from current time.  It is not guaranteed
  640.         that objects with distinct hash codes lead to distinct internal
  641.         states.
  642.  
  643.         This is obsolete, provided for compatibility with the seed routine
  644.         used prior to Python 2.1.  Use the .seed() method instead.
  645.         """
  646.         if a is None:
  647.             self._WichmannHill__whseed()
  648.             return None
  649.         
  650.         a = hash(a)
  651.         (a, x) = divmod(a, 256)
  652.         (a, y) = divmod(a, 256)
  653.         (a, z) = divmod(a, 256)
  654.         if not (x + a) % 256:
  655.             pass
  656.         x = 1
  657.         if not (y + a) % 256:
  658.             pass
  659.         y = 1
  660.         if not (z + a) % 256:
  661.             pass
  662.         z = 1
  663.         self._WichmannHill__whseed(x, y, z)
  664.  
  665.  
  666.  
  667. class SystemRandom(Random):
  668.     '''Alternate random number generator using sources provided
  669.     by the operating system (such as /dev/urandom on Unix or
  670.     CryptGenRandom on Windows).
  671.  
  672.      Not available on all systems (see os.urandom() for details).
  673.     '''
  674.     
  675.     def random(self):
  676.         '''Get the next random number in the range [0.0, 1.0).'''
  677.         return (long(_hexlify(_urandom(7)), 16) >> 3) * RECIP_BPF
  678.  
  679.     
  680.     def getrandbits(self, k):
  681.         '''getrandbits(k) -> x.  Generates a long int with k random bits.'''
  682.         if k <= 0:
  683.             raise ValueError('number of bits must be greater than zero')
  684.         
  685.         if k != int(k):
  686.             raise TypeError('number of bits should be an integer')
  687.         
  688.         bytes = (k + 7) // 8
  689.         x = long(_hexlify(_urandom(bytes)), 16)
  690.         return x >> bytes * 8 - k
  691.  
  692.     
  693.     def _stub(self, *args, **kwds):
  694.         '''Stub method.  Not used for a system random number generator.'''
  695.         pass
  696.  
  697.     seed = jumpahead = _stub
  698.     
  699.     def _notimplemented(self, *args, **kwds):
  700.         '''Method should not be called for a system random number generator.'''
  701.         raise NotImplementedError('System entropy source does not have state.')
  702.  
  703.     getstate = setstate = _notimplemented
  704.  
  705.  
  706. def _test_generator(n, func, args):
  707.     import time
  708.     print n, 'times', func.__name__
  709.     total = 0.0
  710.     sqsum = 0.0
  711.     smallest = 10000000000.0
  712.     largest = -10000000000.0
  713.     t0 = time.time()
  714.     for i in range(n):
  715.         x = func(*args)
  716.         total += x
  717.         sqsum = sqsum + x * x
  718.         smallest = min(x, smallest)
  719.         largest = max(x, largest)
  720.     
  721.     t1 = time.time()
  722.     print round(t1 - t0, 3), 'sec,',
  723.     avg = total / n
  724.     stddev = _sqrt(sqsum / n - avg * avg)
  725.     print 'avg %g, stddev %g, min %g, max %g' % (avg, stddev, smallest, largest)
  726.  
  727.  
  728. def _test(N = 2000):
  729.     _test_generator(N, random, ())
  730.     _test_generator(N, normalvariate, (0.0, 1.0))
  731.     _test_generator(N, lognormvariate, (0.0, 1.0))
  732.     _test_generator(N, vonmisesvariate, (0.0, 1.0))
  733.     _test_generator(N, gammavariate, (0.01, 1.0))
  734.     _test_generator(N, gammavariate, (0.10000000000000001, 1.0))
  735.     _test_generator(N, gammavariate, (0.10000000000000001, 2.0))
  736.     _test_generator(N, gammavariate, (0.5, 1.0))
  737.     _test_generator(N, gammavariate, (0.90000000000000002, 1.0))
  738.     _test_generator(N, gammavariate, (1.0, 1.0))
  739.     _test_generator(N, gammavariate, (2.0, 1.0))
  740.     _test_generator(N, gammavariate, (20.0, 1.0))
  741.     _test_generator(N, gammavariate, (200.0, 1.0))
  742.     _test_generator(N, gauss, (0.0, 1.0))
  743.     _test_generator(N, betavariate, (3.0, 3.0))
  744.  
  745. _inst = Random()
  746. seed = _inst.seed
  747. random = _inst.random
  748. uniform = _inst.uniform
  749. randint = _inst.randint
  750. choice = _inst.choice
  751. randrange = _inst.randrange
  752. sample = _inst.sample
  753. shuffle = _inst.shuffle
  754. normalvariate = _inst.normalvariate
  755. lognormvariate = _inst.lognormvariate
  756. expovariate = _inst.expovariate
  757. vonmisesvariate = _inst.vonmisesvariate
  758. gammavariate = _inst.gammavariate
  759. gauss = _inst.gauss
  760. betavariate = _inst.betavariate
  761. paretovariate = _inst.paretovariate
  762. weibullvariate = _inst.weibullvariate
  763. getstate = _inst.getstate
  764. setstate = _inst.setstate
  765. jumpahead = _inst.jumpahead
  766. getrandbits = _inst.getrandbits
  767. if __name__ == '__main__':
  768.     _test()
  769.  
  770.