Just like in the movies and in games, the location of a place comes up on screen as if it’s being typed live. I want to make a game about escaping a maze in python. At the start of the game it gives the background information of the game:
JavaScript
x
4
1
line_1 = "You have woken up in a mysterious maze"
2
line_2 = "The building has 5 levels"
3
line_3 = "Scans show that the floors increase in size as you go down"
4
Under the variables, I tried to do a for loop for each line similar to this:
JavaScript
1
6
1
from time import sleep
2
3
for x in line_1:
4
print (x)
5
sleep(0.1)
6
The only problem with this is that it print one letter per line. The timing of it is ok, but how can I get it to go on one line?
Advertisement
Answer
Because you tagged your question with python 3 I will provide a python 3 solution:
- Change your end character of print to an empty string:
print(..., end='')
- Add
sys.stdout.flush()
to make it print instantly (because the output is buffered)
Final code:
JavaScript
1
8
1
from time import sleep
2
import sys
3
4
for x in line_1:
5
print(x, end='')
6
sys.stdout.flush()
7
sleep(0.1)
8
Making it random is also very simple.
Add this import:
JavaScript121from random import uniform
2
Change your
sleep
call to the following:JavaScript121sleep(uniform(0, 0.3)) # random sleep from 0 to 0.3 seconds
2