The time
module in Python provides various time-related functions. It is part of the Python Standard Library, so it’s available in any standard Python installation. The module handles various functions concerning time, such as delaying execution, retrieving the current time, and converting between different time representations.
Here are some of the key functionalities provided by the time
module:
1. Time Retrieval
time.time()
: Returns the current time as a floating point number expressed in seconds since the Epoch, which is 1 January 1970, 00:00:00 (UTC).time.ctime()
: Converts a time expressed in seconds since the Epoch to a string representing local time. If no argument is given,time.ctime()
uses the current time as returned bytime.time()
.
2. Sleep
time.sleep(seconds)
: Suspends (delays) execution of the current thread for the given number of seconds. The argument may be a floating point number to indicate a more precise sleep time.
3. Time Components and Formatting
time.localtime()
: Converts a time expressed in seconds since the Epoch to astruct_time
in local time. If no argument is given, the current time as returned bytime.time()
is used.time.gmtime()
: Liketime.localtime()
, but converts to UTC time.time.strftime(format[, t])
: Converts a tuple orstruct_time
representing a time as returned bytime.gmtime()
ortime.localtime()
to a string as specified by the format argument.time.strptime(string[, format])
: Parses a string representing a time according to a format specification and returns thestruct_time
.
4. Performance Measurement
time.perf_counter()
: Returns a float representing the current time in seconds since a particular point in time. This is precise and includes time elapsed during sleep and is system-wide.time.process_time()
: Returns the value (in fractional seconds) of the sum of the system and user CPU time of the current process. It does not include time elapsed during sleep.
Example Usage
Getting the Current Time
import time
current_time = time.time()
print("Current time since the epoch:", current_time)
print("Local time:", time.ctime(current_time))
Using sleep to Delay Execution
import time
print("Start")
time.sleep(5) # Delays for 5 seconds
print("End after 5 seconds")
Formatting Time
import time
# Get the current local time
local_time = time.localtime()
# Format the time
formatted_time = time.strftime("%Y-%m-%d %H:%M:%S", local_time)
print("Formatted local time:", formatted_time)
Measuring Performance
import time
start_time = time.perf_counter()
# Some task
for i in range(1000000):
pass
end_time = time.perf_counter()
print("The task took", end_time - start_time, "seconds to complete")
The time
module is very useful for handling various time-related tasks, especially in applications that require precise timing or delays, or for performance measurement.