我正在尝试更改屏幕上显示的颜色和圆圈数。到目前为止,我已经找到了如何以递归模式将所有颜色设置为不同的颜色,但是我需要帮助来确定如何添加更多颜色。附件是我所拥有的与我需要实现的。
我的代码
import turtle
import colorsys
def draw_circle(x,y,r,color):
turtle.seth(0)
turtle.up()
turtle.goto(x,y-r)
turtle.down()
turtle.fillcolor(color)
turtle.begin_fill()
turtle.circle(r)
turtle.end_fill()
def draw_recursive_circles(x,y,r,color,n):
if n == 0:
return
draw_circle(x,y,r,color)
colors = ['red','orange','yellow','green','blue','purple']
i = 0
for angle in range(30,360,60):
turtle.up()
turtle.goto(x,y)
turtle.seth(angle)
turtle.fd(r*2)
draw_recursive_circles(turtle.xcor(),turtle.ycor(),r/3,colors[i],n-1)
i += 1
turtle.tracer(0)
turtle.hideturtle()
turtle.speed(0)
draw_recursive_circles(0,0,100,'red',5)
turtle.update()
答案 0 :(得分:1)
您import colorsys
但从未使用过-这是您应该根据角度而不是固定颜色列表生成颜色的线索。导入的原因是,乌龟基于 RGB 的颜色是我们需要的错误模型,因此我们需要更合适的模型,例如 HSV (我们只在乎大约 H / hue),并将其转换为 RGB 。
卫星数量由您的range
通话决定:
for angle in range(30,360,60):
此绘图应更像:
for angle in range(0, 360, 30):
因为有十二颗人造卫星,360 / 30
是12。最后,我们需要进行适当的核算,以便每当更改头寸或航向时,为了进行递归绘制,我们都需要恢复上的原始值。出口。以下是我针对此问题的简化示例解决方案:
from turtle import Screen, Turtle
from colorsys import hsv_to_rgb
def draw_circle(radius):
y = turtle.ycor() # save position & heading
heading = turtle.heading()
turtle.fillcolor(hsv_to_rgb(heading / 360, 1.0, 1.0))
turtle.sety(y - radius)
turtle.setheading(0)
turtle.begin_fill()
turtle.circle(radius)
turtle.end_fill()
turtle.sety(y) # restore position & heading
turtle.setheading(heading)
def draw_recursive_circles(radius, n):
if n == 0:
return
draw_circle(radius)
if n > 1:
heading = turtle.heading() # save heading
for angle in range(0, 360, 30):
turtle.setheading(angle)
turtle.forward(radius * 2)
draw_recursive_circles(radius / 5, n - 1)
turtle.backward(radius * 2)
turtle.setheading(heading) # restore heading
screen = Screen()
screen.tracer(False)
turtle = Turtle(visible=False)
turtle.penup()
draw_recursive_circles(150, 4)
screen.update()
screen.tracer(True)
screen.exitonclick()
我故意简化笔尖以简化示例,因此只显示了圆圈的填充部分。放回周围的轮廓,我作为练习留给您。
中心圆不是正确的颜色。解决此问题很简单,只需在首次调用draw_recursive_circles()