1

我正在尝试创建一个循环,该循环接受用户的输入并绘制许多正方形,但它会增加每个循环的正方形的大小,但是两个边保持连接。我将包含图形以更好地解释。

在此处输入图像描述

    import turtle

squares = 1
while squares >= 1:
    squares = int(input('How many squares would you like drawn?:'))
    if squares == 0:
        print("You must have at-least 1 square.")
        squares = int(input('How many squares would you like drawn?:'))
    else:
        for count in range(squares):
            turtle.forward(30)
            turtle.left(90)
            turtle.forward(30)
            turtle.left(90)
            turtle.forward(30)
            turtle.left(90)
            turtle.forward(30)
            turtle.left(90)


turtle.done()
4

2 回答 2

1

输入请求和绘图逻辑应该分开。
这是一种方法,在增加边长后,在每回合开始时返回海龟。

import turtle

num_squares = 3
t = turtle.Turtle()
t.pendown()
side = side_unit = 30

while True:
    try:
        num_squares = int(input('input the number of squares'))
    except ValueError:
        print("please enter an integer")
    if num_squares > 3:
        break

for sq in range(1, num_squares + 1):
    t.left(90)
    t.forward(side)
    t.left(90)
    t.forward(side)
    t.left(90)
    t.forward(side)
    t.left(90)
    side = side_unit + 3 * sq  # increase the size of the side

    t.goto(0,0)                # return to base

turtle.done()
于 2018-03-01T00:54:59.300 回答
1

在等待@ReblochonMasque 的解决方案完成绘制100 个方格时,有足够的时间来实施基于冲压的替代、更快的解决方案。

首先要注意的是在提供的说明中,它说要绘制 100 个正方形来创建图中的设计,但该图由不到 50 个正方形组成。它还以某种非积分方式缩放,使其看起来具有不同的线条粗细。

让我们关注问题的精神而不是例子。OP 的最小值为 1 平方,所以我保留了它。这个解决方案也自然倾向于将正方形放在窗口的中心:

from turtle import Turtle, Screen

DELTA = 3
MINIMUM = DELTA * 2
CURSOR_SIZE = 20

num_squares = -1

while num_squares < 1:
    try:
        num_squares = int(input('Input the number of squares: '))
    except ValueError:
        print("please enter an integer.")

    if num_squares < 1:
        print("You must have at least 1 square.")

screen = Screen()
turtle = Turtle("square", visible=False)
turtle.fillcolor("white")

for size in range(((num_squares - 1) * DELTA) + MINIMUM, MINIMUM - 1, -DELTA):
    turtle.goto(turtle.xcor() + DELTA/2, turtle.ycor() - DELTA/2)
    turtle.shapesize(size / CURSOR_SIZE)
    turtle.stamp()

screen.exitonclick()

这显然不是 OP 正在寻找的那种解决方案,但也许下次出现这样的问题时,它可能是 OP 至少会考虑的问题。

在此处输入图像描述

于 2018-03-01T04:24:11.030 回答