- Функция sleep() в Python
- Пример 1: Как работает?
- Пример 2: Создает цифровые часы
- Многопоточность в Python
- Пример 3: Многопоточность
- time.sleep() в многопоточных программах
- Python sleep()
- Example 1: Python sleep()
- Example 2: Python create a digital clock
- Multithreading in Python
- Example 3: Python multithreading
- time.sleep() in multithreaded programs
- Python sleep(): How to Add Time Delays to Your Code
- Adding a Python sleep() Call With time.sleep()
- Adding a Python sleep() Call With Decorators
- Adding a Python sleep() Call With Threads
- Using time.sleep()
- Using Event.wait()
- Adding a Python sleep() Call With Async IO
- Adding a Python sleep() Call With GUIs
- Sleeping in Tkinter
- Sleeping in wxPython
- Conclusion
Функция sleep() в Python
Функция sleep() приостанавливает (ожидает) выполнение текущего потока на заданное количество секунд.
В Python есть модуль с именем time, который предоставляет несколько полезных функций для обработки задач, связанных со временем. Одна из популярных среди них — sleep().
Функция приостанавливает выполнение текущего потока на заданное количество секунд.
Пример 1: Как работает?
Вот как работает эта программа:
- «Printed immediately» печатается.
- Приостанавливает (задерживает) выполнение на 2,4 секунды.
- Будет напечатано «Printed after 2.4 seconds.».
Как видно из приведенного выше примера, команда принимает в качестве аргумента число с плавающей запятой.
До Python 3.5 фактическое время приостановки могло быть меньше аргумента, указанного для функции time().
Начиная с Python 3.5, время приостановки будет не менее указанного в секундах.
Пример 2: Создает цифровые часы
В приведенной выше программе мы вычислили и распечатали текущее местное время внутри бесконечного цикла while. Затем программа ждет 1 секунду. Опять же, текущее местное время вычисляется и печатается. Этот процесс продолжается.
Когда вы запустите программу, результат будет примерно таким:
Вот немного измененная улучшенная версия вышеуказанной программы:
Многопоточность в Python
Прежде чем говорить о методе в многопоточных программах, давайте поговорим о процессах и потоках.
Компьютерная программа ‒ это набор инструкций. Процесс ‒ это выполнение этих инструкций. Поток ‒ это часть процесса. У процесса может быть один или несколько потоков.
Пример 3: Многопоточность
Все программы, указанные выше в этой статье, являются однопоточными. Вот пример многопоточной программы.
Когда вы запустите программу, результат будет примерно таким:
Вышеупомянутая программа имеет два потока t1 и t2 . Эти потоки запускаются с помощью операторов t1.start() и t2.start().
Обратите внимание, что t1 и t2 выполняются одновременно, и вы можете получить разные результаты.
time.sleep() в многопоточных программах
Функция приостанавливает выполнение текущего потока на заданное количество секунд.
В случае однопоточных программ метод приостанавливает выполнение потока и процесса. Однако в многопоточных программах функция приостанавливает поток, а не весь процесс.
Python sleep()
The sleep() function suspends (waits) execution of the current thread for a given number of seconds.
Python has a module named time which provides several useful functions to handle time-related tasks. One of the popular functions among them is sleep() .
The sleep() function suspends execution of the current thread for a given number of seconds.
Example 1: Python sleep()
Here’s how this program works:
- «Printed immediately» is printed
- Suspends (Delays) execution for 2.4 seconds.
- «Printed after 2.4 seconds» is printed.
As you can see from the above example, sleep() takes a floating-point number as an argument.
Before Python 3.5, the actual suspension time may be less than the argument specified to the time() function.
Since Python 3.5, the suspension time will be at least the seconds specified.
Example 2: Python create a digital clock
In the above program, we computed and printed the current local time inside the infinite while loop. Then, the program waits for 1 second. Again, the current local time is computed and printed. This process goes on.
When you run the program, the output will be something like:
Here is a slightly modified better version of the above program.
Multithreading in Python
Before talking about sleep() in multithreaded programs, let’s talk about processes and threads.
A computer program is a collection of instructions. A process is the execution of those instructions.
A thread is a subset of the process. A process can have one or more threads.
Example 3: Python multithreading
All the programs above in this article are single-threaded programs. Here’s an example of a multithreaded Python program.
When you run the program, the output will be something like:
The above program has two threads t1 and t2 . These threads are run using t1.start() and t2.start() statements.
Note that, t1 and t2 run concurrently and you might get different output.
Visit this page to learn more about Multithreading in Python.
time.sleep() in multithreaded programs
The sleep() function suspends execution of the current thread for a given number of seconds.
In case of single-threaded programs, sleep() suspends execution of the thread and process. However, the function suspends a thread rather than the whole process in multithreaded programs.
Python sleep(): How to Add Time Delays to Your Code
Table of Contents
Have you ever needed to make your Python program wait for something? Most of the time, you’d want your code to execute as quickly as possible. But there are times when letting your code sleep for a while is actually in your best interest.
For example, you might use a Python sleep() call to simulate a delay in your program. Perhaps you need to wait for a file to upload or download, or for a graphic to load or be drawn to the screen. You might even need to pause between calls to a web API, or between queries to a database. Adding Python sleep() calls to your program can help in each of these cases, and many more!
In this tutorial, you’ll learn how to add Python sleep() calls with:
- time.sleep()
- Decorators
- Threads
- Async IO
- Graphical User Interfaces
This article is intended for intermediate developers who are looking to grow their knowledge of Python. If that sounds like you, then let’s get started!
Free Bonus: Get our free «The Power of Python Decorators» guide that shows you 3 advanced decorator patterns and techniques you can use to write to cleaner and more Pythonic programs.
Adding a Python sleep() Call With time.sleep()
Python has built-in support for putting your program to sleep. The time module has a function sleep() that you can use to suspend execution of the calling thread for however many seconds you specify.
Here’s an example of how to use time.sleep() :
If you run this code in your console, then you should experience a delay before you can enter a new statement in the REPL.
Note: In Python 3.5, the core developers changed the behavior of time.sleep() slightly. The new Python sleep() system call will last at least the number of seconds you’ve specified, even if the sleep is interrupted by a signal. This does not apply if the signal itself raises an exception, however.
You can test how long the sleep lasts by using Python’s timeit module:
Here, you run the timeit module with the -n parameter, which tells timeit how many times to run the statement that follows. You can see that timeit ran the statement 3 times and that the best run time was 3 seconds, which is what was expected.
The default number of times that timeit will run your code is one million. If you were to run the above code with the default -n , then at 3 seconds per iteration, your terminal would hang for approximately 34 days! The timeit module has several other command line options that you can check out in its documentation.
Let’s create something a bit more realistic. A system administrator needs to know when one of their websites goes down. You want to be able to check the website’s status code regularly, but you can’t query the web server constantly or it will affect performance. One way to do this check is to use a Python sleep() system call:
Here you create uptime_bot() , which takes a URL as its argument. The function then attempts to open that URL with urllib . If there’s an HTTPError or URLError , then the program catches it and prints out the error. (In a live environment, you would log the error and probably send out an email to the webmaster or system administrator.)
If no errors occur, then your code prints out that all is well. Regardless of what happens, your program will sleep for 60 seconds. This means that you only access the website once every minute. The URL used in this example is bad, so it will output the following to your console once every minute:
Go ahead and update the code to use a known good URL, like http://www.google.com . Then you can re-run it to see it work successfully. You can also try to update the code to send an email or log the errors. For more information on how to do this, check out Sending Emails With Python and Logging in Python.
Adding a Python sleep() Call With Decorators
There are times when you need to retry a function that has failed. One popular use case for this is when you need to retry a file download because the server was busy. You usually won’t want to make a request to the server too often, so adding a Python sleep() call between each request is desirable.
Another use case that I’ve personally experienced is where I need to check the state of a user interface during an automated test. The user interface might load faster or slower than usual, depending on the computer I’m running the test on. This can change what’s on the screen at the moment my program is verifying something.
In this case, I can tell the program to sleep for a moment and then recheck things a second or two later. This can mean the difference between a passing and failing test.
You can use a decorator to add a Python sleep() system call in either of these cases. If you’re not familiar with decorators, or if you’d like to brush up on them, then check out Primer on Python Decorators. Let’s look at an example:
sleep() is your decorator. It accepts a timeout value and the number of times it should retry , which defaults to 3. Inside sleep() is another function, the_real_decorator() , which accepts the decorated function.
Finally, the innermost function wrapper() accepts the arguments and keyword arguments that you pass to the decorated function. This is where the magic happens! You use a while loop to retry calling the function. If there’s an exception, then you call time.sleep() , increment the retries counter, and try running the function again.
Now rewrite uptime_bot() to use your new decorator:
Here, you decorate uptime_bot() with a sleep() of 3 seconds. You’ve also removed the original while loop, as well as the old call to sleep(60) . The decorator now takes care of this.
One other change you’ve made is to add a raise inside of the exception handling blocks. This is so that the decorator will work properly. You could write the decorator to handle these errors, but since these exceptions only apply to urllib , you might be better off keeping the decorator the way it is. That way, it will work with a wider variety of functions.
Note: If you’d like to brush up on exception handling in Python, then check out Python Exceptions: An Introduction.
There are a few improvements that you could make to your decorator. If it runs out of retries and still fails, then you could have it re-raise the last error. The decorator will also wait 3 seconds after the last failure, which might be something you don’t want to happen. Feel free to try these out as an exercise!
Adding a Python sleep() Call With Threads
There are also times when you might want to add a Python sleep() call to a thread. Perhaps you’re running a migration script against a database with millions of records in production. You don’t want to cause any downtime, but you also don’t want to wait longer than necessary to finish the migration, so you decide to use threads.
Note: Threads are a method of doing concurrency in Python. You can run multiple threads at once to increase your application’s throughput. If you’re not familiar with threads in Python, then check out An Intro to Threading in Python.
To prevent customers from noticing any kind of slowdown, each thread needs to run for a short period and then sleep. There are two ways to do this:
- Use time.sleep() as before.
- Use Event.wait() from the threading module.
Let’s start by looking at time.sleep() .
Using time.sleep()
The Python Logging Cookbook shows a nice example that uses time.sleep() . Python’s logging module is thread-safe, so it’s a bit more useful than print() statements for this exercise. The following code is based on this example:
Here, you use Python’s threading module to create two threads. You also create a logging object that will log the threadName to stdout. Next, you start both threads and initiate a loop to log from the main thread every so often. You use KeyboardInterrupt to catch the user pressing Ctrl + C .
Try running the code above in your terminal. You should see output similar to the following:
As each thread runs and then sleeps, the logging output is printed to the console. Now that you’ve tried an example, you’ll be able to use these concepts in your own code.
Using Event.wait()
The threading module provides an Event() that you can use like time.sleep() . However, Event() has the added benefit of being more responsive. The reason for this is that when the event is set, the program will break out of the loop immediately. With time.sleep() , your code will need to wait for the Python sleep() call to finish before the thread can exit.
The reason you’d want to use wait() here is because wait() is non-blocking, whereas time.sleep() is blocking. What this means is that when you use time.sleep() , you’ll block the main thread from continuing to run while it waits for the sleep() call to end. wait() solves this problem. You can read more about how all this works in Python’s threading documentation.
Here’s how you add a Python sleep() call with Event.wait() :
In this example, you create threading.Event() and pass it to worker() . (Recall that in the previous example, you instead passed a dictionary.) Next, you set up your loops to check whether or not event is set. If it’s not, then your code prints a message and waits a bit before checking again. To set the event, you can press Ctrl + C . Once the event is set, worker() will return and the loop will break, ending the program.
Note: If you’d like to learn more about dictionaries, then check out Dictionaries in Python.
Take a closer look at the code block above. How would you pass in a different sleep time to each worker thread? Can you figure it out? Feel free to tackle this exercise on your own!
Adding a Python sleep() Call With Async IO
Asynchronous capabilities were added to Python in the 3.4 release, and this feature set has been aggressively expanding ever since. Asynchronous programming is a type of parallel programming that allows you to run multiple tasks at once. When a task finishes, it will notify the main thread.
asyncio is a module that lets you add a Python sleep() call asynchronously. If you’re unfamiliar with Python’s implementation of asynchronous programming, then check out Async IO in Python: A Complete Walkthrough and Python Concurrency & Parallel Programming.
Here’s an example from Python’s own documentation:
In this example, you run main() and have it sleep for one second between two print() calls.
Here’s a more compelling example from the Coroutines and Tasks portion of the asyncio documentation:
In this code, you create a worker called output() that takes in the number of seconds to sleep and the text to print out. Then, you use Python’s await keyword to wait for the output() code to run. await is required here because output() has been marked as an async function, so you can’t call it like you would a normal function.
When you run this code, your program will execute await 3 times. The code will wait for 1, 2, and 3 seconds, for a total wait time of 6 seconds. You can also rewrite the code so that the tasks run in parallel:
Now you’re using the concept of tasks, which you can make with create_task() . When you use tasks in asyncio , Python will run the tasks asynchronously. So, when you run the code above, it should finish in 3 seconds total instead of 6.
Adding a Python sleep() Call With GUIs
Command-line applications aren’t the only place where you might need to add Python sleep() calls. When you create a Graphical User Interface (GUI), you’ll occasionally need to add delays. For example, you might create an FTP application to download millions of files, but you need to add a sleep() call between batches so you don’t bog down the server.
GUI code will run all its processing and drawing in a main thread called the event loop. If you use time.sleep() inside of GUI code, then you’ll block its event loop. From the user’s perspective, the application could appear to freeze. The user won’t be able to interact with your application while it’s sleeping with this method. (On Windows, you might even get an alert about how your application is now unresponsive.)
Fortunately, there are other methods you can use besides time.sleep() . In the next few sections, you’ll learn how to add Python sleep() calls in both Tkinter and wxPython.
Sleeping in Tkinter
tkinter is a part of the Python standard library. It may not be available to you if you’re using a pre-installed version of Python on Linux or Mac. If you get an ImportError , then you’ll need to look into how to add it to your system. But if you install Python yourself, then tkinter should already be available.
You’ll start by looking at an example that uses time.sleep() . Run this code to see what happens when you add a Python sleep() call the wrong way:
Once you’ve run the code, press the button in your GUI. The button will stick down for three seconds as it waits for sleep() to finish. If the application had other buttons, then you wouldn’t be able to click them. You can’t close the application while it’s sleeping, either, since it can’t respond to the close event.
To get tkinter to sleep properly, you’ll need to use after() :
Here you create an application that is 400 pixels wide by 400 pixels tall. It has no widgets on it. All it will do is show a frame. Then, you call self.root.after() where self.root is a reference to the Tk() object. after() takes two arguments:
- The number of milliseconds to sleep
- The method to call when the sleep is finished
In this case, your application will print a string to stdout after 3 seconds. You can think of after() as the tkinter version of time.sleep() , but it also adds the ability to call a function after the sleep has finished.
You could use this functionality to improve user experience. By adding a Python sleep() call, you can make the application appear to load faster and then start some longer-running process after it’s up. That way, the user won’t have to wait for the application to open.
Sleeping in wxPython
There are two major differences between wxPython and Tkinter:
- wxPython has many more widgets.
- wxPython aims to look and feel native on all platforms.
The wxPython framework is not included with Python, so you’ll need to install it yourself. If you’re not familiar with wxPython, then check out How to Build a Python GUI Application With wxPython.
In wxPython, you can use wx.CallLater() to add a Python sleep() call:
Here, you subclass wx.Frame directly and then call wx.CallLater() . This function takes the same parameters as Tkinter’s after() :
- The number of milliseconds to sleep
- The method to call when the sleep is finished
When you run this code, you should see a small blank window appear without any widgets. After 4 seconds, you’ll see the string ‘I was delayed’ printed to stdout.
One of the benefits of using wx.CallLater() is that it’s thread-safe. You can use this method from within a thread to call a function that’s in the main wxPython application.
Conclusion
With this tutorial, you’ve gained a valuable new technique to add to your Python toolbox! You know how to add delays to pace your applications and prevent them from using up system resources. You can even use Python sleep() calls to help your GUI code redraw more effectively. This will make the user experience much better for your customers!
To recap, you’ve learned how to add Python sleep() calls with the following tools:
Now you can take what you’ve learned and start putting your code to sleep!
Get a short & sweet Python Trick delivered to your inbox every couple of days. No spam ever. Unsubscribe any time. Curated by the Real Python team.
About Mike Driscoll
Mike has been programming in Python for over a decade and loves writing about Python!
Each tutorial at Real Python is created by a team of developers so that it meets our high quality standards. The team members who worked on this tutorial are:
Master Real-World Python Skills With Unlimited Access to Real Python
Join us and get access to hundreds of tutorials, hands-on video courses, and a community of expert Pythonistas:
Master Real-World Python Skills
With Unlimited Access to Real Python
Join us and get access to hundreds of tutorials, hands-on video courses, and a community of expert Pythonistas:
What Do You Think?
Real Python Comment Policy: The most useful comments are those written with the goal of learning from or helping out other readers—after reading the whole article and all the earlier comments. Complaints and insults generally won’t make the cut here.
What’s your #1 takeaway or favorite thing you learned? How are you going to put your newfound skills to use? Leave a comment below and let us know.
Related Tutorial Categories: intermediate python