The Turtle Module

Python is a robust programming language, but we rarely use most of the functionality that Python offers. For this reason, our programming environment doesn’t load the entire Python language when we run a program; it loads a “basic version” of Python, plus whatever other special functionalities our program tells it to load.

These extra functionalities are called modules in Python (though some call them libraries as well). We can load these modules into any of our programs with a simple import statement. Then we can reference all the special commands specific to this module:

import turtle			# allows us to use the turtle module
wn = turtle.Screen()	# creates a graphics screen for the turtle
bob = turtle.Turtle()	# creates a turtle graphic named bob
bob.forward(100)		# bob moves forward 100 units
bob.right(90)			#turn left 90 degrees (bob's right)
bob.backward(100)		# bob moves backward 100 units

In the turtle module, turtle.Screen() and turtle.Turtle() (both are case-sensitive) create objects, a screen object and a turtle object. Once these objects exist, we can call the methods, or specialized functions that are specific to these objects (like forward(), etc.).

import turtle
wn = turtle.Screen()
bob = turtle.Turtle()

# Screen methods
wn.bgcolor("light green")	# changes the background color of the graphics window

# Turtle methods
bob.color("red")		    # changes the turtle color
bob.pensize(5)			    # changes the width of the line the turtle draws

bob.penup()					# lifts the pen so the turtle can move without drawing
bob.goto(-100, 100)	        # sends the turtle to a specifiy x,y coordinate in the screen
bob.pendown()				# puts the pen down so the turtle can begin drawing

bob.hideturtle()		    # make the turtle invisible
bob.showturtle()		    # make the turtle visible

wn.exitonclick()		    # sets the screen to wait for a mouse click to close it when the program finishes

Drawing with the Turtle

Now, let’s draw some simple shapes with the turtle: a square, a rectangle, and a triangle.

import turtle
wn = turtle.Screen()
bob = turtle.Turtle()

# square
bob.forward(100)
bob.left(90)
bob.forward(100)
bob.left(90)
bob.forward(100)
bob.left(90)
bob.forward(100)
bob.left(90)

# rectangle
bob.forward(100)
bob.left(90)
bob.forward(200)		# this side is longer
bob.left(90)
bob.forward(100)
bob.left(90)
bob.forward(200)		# so is this side
bob.left(90)

# triangle
bob.forward(100)
bob.left(120)			# notice that bob's turn is the exterior angle of the triangle (n-sides / 3)
bob.forward(100)		
bob.left(120)
bob.forward(100)
bob.left(120)			# it's really important to bring the turtle back to original orientation

To read a complete list of the Turtle and Screen methods, check out the Turtle module documentation: https://docs.python.org/3/library/turtle.html

HW:

  1. Read HTCS, 4.1-4.27
  2. Solve ex. 9