
Python Random Module
The random
module in Python is a standard library module that provides functions for generating random numbers, selecting random items from sequences, and performing various randomization tasks. It is commonly used in applications that require randomness, such as games, simulations, and cryptography. Here are some commonly used functions and methods provided by the random
module:
Random Number Generation:
random.random()
:
- Returns a random floating-point number in the range [0.0, 1.0).
random.randint(a, b)
:
- Returns a random integer from the inclusive range [a, b].
random.randrange(start, stop[, step])
:
- Returns a random integer from the range
[start, stop)
with an optional step.
random.uniform(a, b)
:
- Returns a random floating-point number in the range [a, b) with a uniform distribution.
Random Sequences:
random.choice(seq)
:
- Returns a random element from the non-empty sequence
seq
.
random.shuffle(seq)
:
- Shuffles (randomly reorders) the elements of the sequence
seq
in place.
random.sample(population, k)
:
- Returns a list of
k
unique elements randomly chosen from the population without replacement.
Random Seed:
random.seed(seed=None)
:
- Initializes the random number generator with a seed value. This allows you to generate reproducible random sequences by using the same seed.
Random Distributions:
random.gauss(mu, sigma)
:
- Returns a random float sampled from a Gaussian (normal) distribution with mean
mu
and standard deviationsigma
.
random.expovariate(lambd)
:- Returns a random float sampled from an exponential distribution with the rate parameter
lambd
.
- Returns a random float sampled from an exponential distribution with the rate parameter
random.triangular(low, high, mode)
:- Returns a random float sampled from a triangular distribution with the specified lower limit (
low
), upper limit (high
), and mode value (mode
).
- Returns a random float sampled from a triangular distribution with the specified lower limit (
These are just some of the commonly used functions and methods provided by the random
module. You can use these functions to introduce randomness into your Python programs for various purposes.
Here’s an example of how to use the random
module to generate a random integer and select a random item from a list:
import random
# Generate a random integer between 1 and 10 (inclusive)
random_int = random.randint(1, 10)
print("Random Integer:", random_int)
# Select a random item from a list
fruits = ["apple", "banana", "cherry", "date", "elderberry"]
random_fruit = random.choice(fruits)
print("Random Fruit:", random_fruit)
Remember that the random numbers generated by the random
module are pseudo-random and depend on the initial seed value. If you need cryptographically secure random numbers, consider using the secrets
module.