Quick tutorial on generating random numbers in Python using the built-in random
module.
1. Import the random
Module:
Python’s random
module provides functions to generate random numbers and perform random operations.
import random
Generating Random Numbers
a. Random Float Between 0 and 1
Generates a random floating-point number between 0 (inclusive) and 1 (exclusive).
print(random.random())
data:image/s3,"s3://crabby-images/48c80/48c800a6a037f8bc3f4ab2901d2be0d48be6ddcb" alt=""
b. Random Integer
Generates a random integer between two specified numbers.
print(random.randint(1, 10)) # Random integer between 1 and 10 (inclusive)
data:image/s3,"s3://crabby-images/1a25d/1a25d519711fa95ef283ea43c91579ddad253c7b" alt=""
c. Random Float in a Range
Generates a random float between two specified numbers.
print(random.uniform(5, 15)) # Random float between 5 and 15
data:image/s3,"s3://crabby-images/04574/04574b46d6b39e5dfc3735ffba07939387ed69c5" alt=""
d. Random Numbers in Steps
Choose a random number from a range with a step value.
print(random.randrange(0, 100, 5)) # Random number between 0 and 100, in steps of 5
data:image/s3,"s3://crabby-images/a0a6c/a0a6c8d60028029914db6ae08067cdf649261c69" alt=""
3. Working with Sequences
a. Random Choice
Selects a random element from a sequence (like a list or tuple).
fruits = [‘apple’, ‘banana’, ‘cherry’, ‘date’]
print(random.choice(fruits))
data:image/s3,"s3://crabby-images/64891/6489112c53c286ffaeb4676a6dc522765869a76e" alt=""
b. Shuffle a List
Shuffles the elements of a list in place.
numbers = [1, 2, 3, 4, 5]
random.shuffle(numbers)
print(numbers)
data:image/s3,"s3://crabby-images/dc878/dc8786f4ee1240820dfdf3ad2b66162ac9e3567e" alt=""
c. Random Sample
Selects a specified number of unique elements from a sequence.
colors = [‘red’, ‘blue’, ‘green’, ‘yellow’, ‘pink’]
print(random.sample(colors, 3)) # Randomly choose 3 unique colors
data:image/s3,"s3://crabby-images/dc8a4/dc8a421029e121bcc6c01b9c76d6eda3d3718144" alt=""
4. Reproducible Random Numbers
Use a seed to make your random numbers reproducible (useful for debugging).
random.seed(42) # Set the seed
print(random.random()) # This will always generate the same value with the same seed
data:image/s3,"s3://crabby-images/24d16/24d16215b441f10b1aa672ee570e41a15468f22a" alt=""
Using numpy
for Random Numbers
If you’re working with large datasets or need advanced random number capabilities, consider using NumPy.
import numpy as np
Generate an array of 5 random integers between 1 and 10
print(np.random.randint(1, 11, 5))
Generate 5 random floats
print(np.random.random(5))
data:image/s3,"s3://crabby-images/8e73e/8e73ea94c302fae055443cbf699aee74732fb086" alt=""
Leave a Reply