The Python Turtle graphics program generates five distinct flowers with unique petal shapes, sizes, and colors. One flower is centered, while the others are placed randomly on the canvas, showcasing creative variations in each floral design.
Certainly! Below is an example Python code using the Turtle graphics library to create a program that draws at least 5 flowers with distinct petals, shapes, sizes, and colors:
python
import turtle
import random
# Function to draw a flower with random petals
def draw_flower(x, y):
turtle.penup()
turtle.goto(x, y)
turtle.pendown()
# Set a random color for the flower
flower_color = random.choice(["red", "blue", "purple", "pink", "orange"])
turtle.color(flower_color)
# Draw petals
for _ in range(5):
turtle.begin_fill()
turtle.circle(50, 60) # Change the radius and angle for petal shape
turtle.left(120)
turtle.circle(50, 60)
turtle.left(120)
turtle.end_fill()
turtle.left(360 / 5)
# Main function
def main():
turtle.speed(2)
turtle.hideturtle()
# Draw a centered flower
draw_flower(0, 0)
# Draw four more flowers at random positions
for _ in range(4):
x_pos = random.randint(-200, 200)
y_pos = random.randint(-200, 200)
draw_flower(x_pos, y_pos)
turtle.done()
# Run the program
main()
This code defines a function `draw_flower` to draw a flower with random petals at a specified position. The main function then draws a centered flower and four more flowers at random positions, each with a unique color scheme. You can customize the petal shape, size, and other parameters as needed.