2017-07-05 08:52:16 +02:00
|
|
|
import os
|
2018-03-21 11:43:43 +01:00
|
|
|
import random
|
2017-07-05 08:52:16 +02:00
|
|
|
from pyelliptic.openssl import OpenSSL
|
2018-03-21 13:49:08 +01:00
|
|
|
NoneType = type(None)
|
|
|
|
|
2017-07-05 08:52:16 +02:00
|
|
|
|
|
|
|
def randomBytes(n):
|
2018-03-21 13:49:08 +01:00
|
|
|
"""Method randomBytes."""
|
2017-07-05 08:52:16 +02:00
|
|
|
try:
|
|
|
|
return os.urandom(n)
|
|
|
|
except NotImplementedError:
|
|
|
|
return OpenSSL.rand(n)
|
2018-03-21 11:43:43 +01:00
|
|
|
|
2018-03-21 14:56:27 +01:00
|
|
|
|
2018-03-21 11:43:43 +01:00
|
|
|
def randomshuffle(population):
|
|
|
|
"""Method randomShuffle.
|
|
|
|
|
|
|
|
shuffle the sequence x in place.
|
|
|
|
shuffles the elements in list in place,
|
|
|
|
so they are in a random order.
|
2018-03-21 14:56:27 +01:00
|
|
|
As Shuffle will alter data in-place,
|
|
|
|
so its input must be a mutable sequence.
|
|
|
|
In contrast, sample produces a new list
|
|
|
|
and its input can be much more varied
|
|
|
|
(tuple, string, xrange, bytearray, set, etc)
|
2018-03-21 11:43:43 +01:00
|
|
|
"""
|
2018-03-21 14:56:27 +01:00
|
|
|
random.shuffle(population)
|
2018-03-21 11:43:43 +01:00
|
|
|
|
|
|
|
|
|
|
|
def randomsample(population, k):
|
|
|
|
"""Method randomSample.
|
|
|
|
|
|
|
|
return a k length list of unique elements
|
|
|
|
chosen from the population sequence.
|
|
|
|
Used for random sampling
|
2018-03-21 14:56:27 +01:00
|
|
|
without replacement, its called
|
|
|
|
partial shuffle.
|
2018-03-21 11:43:43 +01:00
|
|
|
"""
|
|
|
|
return random.sample(population, k)
|
|
|
|
|
|
|
|
|
2018-03-21 13:49:08 +01:00
|
|
|
def randomrandrange(x, y=None):
|
2018-03-21 11:43:43 +01:00
|
|
|
"""Method randomRandrange.
|
|
|
|
|
|
|
|
return a randomly selected element from
|
|
|
|
range(start, stop). This is equivalent to
|
|
|
|
choice(range(start, stop)),
|
|
|
|
but doesnt actually build a range object.
|
|
|
|
"""
|
2018-03-21 13:49:08 +01:00
|
|
|
if isinstance(y, NoneType):
|
|
|
|
return random.randrange(x)
|
|
|
|
else:
|
|
|
|
return random.randrange(x, y)
|
2018-03-21 14:56:27 +01:00
|
|
|
|
|
|
|
|
|
|
|
def randomchoice(population):
|
|
|
|
"""Method randomchoice.
|
|
|
|
|
|
|
|
Return a random element from the non-empty
|
|
|
|
sequence seq. If seq is empty, raises
|
|
|
|
IndexError.
|
|
|
|
"""
|
|
|
|
return random.choice(population)
|