Turtle Key Events
- Take a look at key-events.py and make sure that you understand it fully.
- Add appropriate comments to key-events.py.
- Modify the program so that pressing the f or F moves the turtle forward 50 pixels in its current direction.
- Modify the program so that pressing the r, the R, or PageDown turns the turtle 45 degrees to the right but does not move the turtle.
- Time permitting, make other enhancements to the program.
#key_events.py
import turtle
window = turtle.Screen()
drawer = turtle.Turtle()
drawer.speed(0)
def east():
drawer.setheading(0)
drawer.forward(50)
def north():
drawer.setheading(90)
drawer.forward(50)
def west():
drawer.setheading(180)
drawer.forward(50)
def south():
drawer.setheading(270)
drawer.forward(50)
window.onkey(east, "Right")
window.onkey(north, "Up")
window.onkey(west, "Left")
window.onkey(south, "Down")
window.listen()
window.exitonclick()
- Modify key-events.py so that the turtle only moves if it will still be visible in the window after the move. Use only one boolean expression in your solution.
# key_events.py
import turtle
window = turtle.Screen()
drawer = turtle.Turtle()
drawer.speed(0)
def east():
if drawer.xcor() + 50 <= window.window_width() // 2:
drawer.setheading(0)
drawer.forward(50)
def north():
if drawer.ycor() + 50 <= window.window_height() // 2:
drawer.setheading(90)
drawer.forward(50)
def west():
if drawer.xcor() - 50 >= -window.window_width() // 2:
drawer.setheading(180)
drawer.forward(50)
def south():
if drawer.ycor() - 50 >= -window.window_height() // 2:
drawer.setheading(270)
drawer.forward(50)
window.onkey(east, "Right")
window.onkey(north, "Up")
window.onkey(west, "Left")
window.onkey(south, "Down")
window.listen()
window.exitonclick()