Python Program Execution Time Calculator –
You can calculate the execution time of a Python program using the 
time module. 
Here’s a simple Python program that demonstrates how to measure the execution time of a block of code:
import time
# Record the start time
start_time = time.time()
# Your code to be measured goes here
# For example, a simple loop:
for i in range(1000000):
    pass
# Record the end time
end_time = time.time()
# Calculate and print the execution time
execution_time = end_time - start_time
execution_time = round(execution_time,4)
print(f"Execution time: {execution_time} seconds")
In this example, we use the time.time() function to record the start time before the code you want to measure and the end time after the code execution. Subtracting the start time from the end time gives you the execution time in seconds.
You can replace the loop with your actual code that you want to measure. This way, you can easily calculate how long it takes for your code to run. – Python Program Execution Time Calculator –
 