You can create a program to draw four tri-colored triangles using the turtle
graphics library in Python. Below is an example code that accomplishes this task. The code places the triangles centered around the y-axis and uses a loop to manage the drawing of the triangles efficiently.
import turtle
# Function to draw a triangle
def draw_triangle(x, y, color1, color2, color3):
turtle.penup()
turtle.goto(x, y)
turtle.pendown()
turtle.pensize(5)
# Set colors for the sides of the triangle
turtle.color(color1) # Side 1
turtle.setheading(60)
turtle.forward(50)
turtle.color(color2) # Side 2
turtle.setheading(-120)
turtle.forward(50)
turtle.color(color3) # Side 3
turtle.setheading(180)
turtle.forward(50)
turtle.setheading(60) # Return to the starting point
turtle.penup()
turtle.goto(x, y)
# Main function to draw the triangles
def main():
turtle.speed(5)
# Loop to draw four triangles
colors = [("red", "green", "blue"), ("blue", "red", "green"),
("green", "blue", "red"), ("red", "green", "blue")]
x_positions = [-75, -25, 25, 75] # X offsets for centering
# Draw triangles at specified positions with associated colors
for i in range(4):
draw_triangle(x_positions[i], 0, colors[i][0], colors[i][1], colors[i][2])
turtle.hideturtle()
turtle.done()
# Run the program
main()
Explanation:
-
Function to Draw Triangle:
draw_triangle(x, y, color1, color2, color3)
function takes coordinates for the starting point (x, y) and the colors of the sides as parameters.- The function uses turtle graphics to draw the triangle with the specified colors for each side.
-
Main Function:
- The
main()
function sets the drawing speed and defines two lists: one for the colors and another for the x-positions of the triangles. - A loop iterates through the indices of the triangles, calling
draw_triangle
with the appropriate coordinates and colors.
- The
-
Execution:
- The
main()
function is called to execute the drawing commands.
- The
Setting Up:
To run this program, ensure you have Python installed, and you can save the code into a .py
file and execute it. The turtle graphics window will open, and you will see the four tri-colored triangles drawn in the specified arrangement.