How To Print With End=" " Immediately In Python 3?
How can I use print statement without newline and execute this immediately? Because this: print('first', end=' ') time.sleep(5) print('second') will print after 5 sec both: first
Solution 1:
You need to flush stdout
:
print("first", end=" ", flush=True)
stdout
is line buffered, which means the buffer is flushed to your screen every time you print a newline. If you are not printing a newline, you need to flush manually.
For anyone not yet using Python 3.3 or newer, the flush
keyword argument is new in 3.3. For earlier versions you can flush stdout
explicitly:
import sys
print("first", end=" ")
sys.stdout.flush()
Solution 2:
You could do it as follows as well:
import sys, time
sys.stdout.write("First ")
time.sleep(5)
sys.stdout.flush()
sys.stdout.write("Second\n")
Post a Comment for "How To Print With End=" " Immediately In Python 3?"