blob: 130434229e96a96dfacf1fc8b90dc98ef80d9bec [file] [log] [blame]
Steven D'Aprano95702722016-04-15 01:51:31 +10001"""Generate cryptographically strong pseudo-random numbers suitable for
2managing secrets such as account authentication, tokens, and similar.
Steven D'Aprano4ad46542016-04-17 13:13:36 +10003
Steven D'Aprano95702722016-04-15 01:51:31 +10004See PEP 506 for more information.
Steven D'Aprano95702722016-04-15 01:51:31 +10005https://www.python.org/dev/peps/pep-0506/
6
Steven D'Aprano95702722016-04-15 01:51:31 +10007"""
8
9__all__ = ['choice', 'randbelow', 'randbits', 'SystemRandom',
10 'token_bytes', 'token_hex', 'token_urlsafe',
11 'compare_digest',
12 ]
13
14
15import base64
16import binascii
17import os
18
Steven D'Aprano6dda1b12016-04-16 04:33:55 +100019from hmac import compare_digest
Steven D'Aprano95702722016-04-15 01:51:31 +100020from random import SystemRandom
21
22_sysrand = SystemRandom()
23
24randbits = _sysrand.getrandbits
25choice = _sysrand.choice
26
27def randbelow(exclusive_upper_bound):
Steven D'Aprano4ad46542016-04-17 13:13:36 +100028 """Return a random int in the range [0, n)."""
Raymond Hettingere9ee2072016-12-29 22:54:25 -070029 if exclusive_upper_bound <= 0:
30 raise ValueError("Upper bound must be positive.")
Steven D'Aprano95702722016-04-15 01:51:31 +100031 return _sysrand._randbelow(exclusive_upper_bound)
32
33DEFAULT_ENTROPY = 32 # number of bytes to return by default
34
35def token_bytes(nbytes=None):
Steven D'Aprano4ad46542016-04-17 13:13:36 +100036 """Return a random byte string containing *nbytes* bytes.
37
38 If *nbytes* is ``None`` or not supplied, a reasonable
39 default is used.
40
41 >>> token_bytes(16) #doctest:+SKIP
42 b'\\xebr\\x17D*t\\xae\\xd4\\xe3S\\xb6\\xe2\\xebP1\\x8b'
43
44 """
Steven D'Aprano95702722016-04-15 01:51:31 +100045 if nbytes is None:
46 nbytes = DEFAULT_ENTROPY
47 return os.urandom(nbytes)
48
49def token_hex(nbytes=None):
Steven D'Aprano4ad46542016-04-17 13:13:36 +100050 """Return a random text string, in hexadecimal.
51
52 The string has *nbytes* random bytes, each byte converted to two
53 hex digits. If *nbytes* is ``None`` or not supplied, a reasonable
54 default is used.
55
56 >>> token_hex(16) #doctest:+SKIP
57 'f9bf78b9a18ce6d46a0cd2b0b86df9da'
58
59 """
Steven D'Aprano95702722016-04-15 01:51:31 +100060 return binascii.hexlify(token_bytes(nbytes)).decode('ascii')
61
62def token_urlsafe(nbytes=None):
Steven D'Aprano4ad46542016-04-17 13:13:36 +100063 """Return a random URL-safe text string, in Base64 encoding.
64
65 The string has *nbytes* random bytes. If *nbytes* is ``None``
66 or not supplied, a reasonable default is used.
67
68 >>> token_urlsafe(16) #doctest:+SKIP
69 'Drmhze6EPcv0fN_81Bj-nA'
70
71 """
Steven D'Aprano95702722016-04-15 01:51:31 +100072 tok = token_bytes(nbytes)
73 return base64.urlsafe_b64encode(tok).rstrip(b'=').decode('ascii')