Open In App

random.seed( ) in Python

Last Updated : 13 Sep, 2022
Improve
Improve
Like Article
Like
Save
Share
Report

random() function is used to generate random numbers in Python. Not actually random, rather this is used to generate pseudo-random numbers. That implies that these randomly generated numbers can be determined. random() function generates numbers for some values. This value is also called seed value. 

Syntax : random.seed( l, version )

Parameter : 

  • l : Any seed value used to produce a random number.
  • version : A integer used to specify how to convert l in a integer.

Returns: A random value.

How Seed Function Works ?

Seed function is used to save the state of a random function, so that it can generate same random numbers on multiple executions of the code on the same machine or on different machines (for a specific seed value). The seed value is the previous value number generated by the generator. For the first time when there is no previous value, it uses current system time. 

Using random.seed() function

Here we will see how we can generate the same random number every time with the same seed value. 

Example 1: 

Python3




# random module is imported
import random
for i in range(5):
 
    # Any number can be used in place of '0'.
    random.seed(0)
 
    # Generated random number will be between 1 to 1000.
    print(random.randint(1, 1000)) 
    


Output:

865
865
865
865
865

  Example 2: 

Python3




# importing random module
import random
 
random.seed(3)
 
# print a random number between 1 and 1000.
print(random.randint(1, 1000))
 
# if you want to get the same random number again then,
random.seed(3)
print(random.randint(1, 1000))
 
# If seed function is not used
 
# Gives totally unpredictable responses.
print(random.randint(1, 1000))


Output:

244
244
607

On executing the above code, the above two print statements will generate a response 244 but the third print statement gives an unpredictable response. 

Uses of random.seed()

  • This is used in the generation of a pseudo-random encryption key. Encryption keys are an important part of computer security. These are the kind of secret keys which used to protect data from unauthorized access over the internet.
  • It makes optimization of codes easy where random numbers are used for testing. The output of the code sometime depends on input. So the use of random numbers for testing algorithms can be complex. Also seed function is used to generate same random numbers again and again and simplifies algorithm testing process.


Like Article
Suggest improvement
Previous
Next
Share your thoughts in the comments

Similar Reads