1

所以,我正在尝试制作一个逼真的弹跳功能,乌龟撞到墙上并以相应的角度弹开。我的代码如下所示:

def bounce(num_steps, step_size, initial_heading):
   turtle.reset()
   top = turtle.window_height()/2
   bottom = -top
   right = turtle.window_width()/2
   left = -right

   turtle.left(initial_heading)
   for step in range(num_steps):
      turtle.forward(step_size)
      x, y = turtle.position()
      if left <= x <= right and bottom <= y <= top:
         pass
      else:
         turtle.left(180-2 * (turtle.heading()))

所以,这适用于侧壁,但我不知道如何让它从顶部/底部正确反弹。有什么建议么?

4

2 回答 2

1

尝试这样的事情:

if not (left <= x <= right):
    turtle.left(180 - 2 * turtle.heading())
elif not (bottom <= y <= top):
    turtle.left(-2 * turtle.heading())
else:
    pass

我的 python 语法有点生疏,抱歉:P。但是水平翻转和垂直翻转的数学有点不同。

编辑

我怀疑正在发生的事情是您的乌龟正处于向上指向并卡在顶壁上方的情况。这将导致它无限期地翻转。您可以尝试添加以下条件:

if (x <= left and 90 <= turtle.heading() <= 270) or (right <= x and not 90 <= turtle.heading() <= 270):
    turtle.left(180 - 2 * turtle.heading())
elif (y <= bottom and turtle.heading() >= 180) or (top <= y and turtle.heading <= 180):
    turtle.left(-2 * turtle.heading())
else:
    pass

如果可行,则代码中的其他地方可能存在错误。边缘处理很难正确处理。我假设 turtle.heading() 总是会返回 0 到 360 之间的值 - 如果不是,那么正确处理会更加棘手。

于 2009-09-22T01:02:33.480 回答
0

天,

您的问题似乎是您使用相同的三角函数来计算左右墙,因为您是顶部和底部。一张纸和一支铅笔应该足以计算所需的挠度。

def inbounds(limit, value):
    'returns boolean answer to question "is turtle position within my axis limits"'
    return -limit < value * 2 < limit

def bounce(num_steps, step_size, initial_heading):
    '''given the number of steps, the size of the steps 
        and an initial heading in degrees, plot the resultant course
        on a turtle window, taking into account elastic collisions 
        with window borders.
    '''

    turtle.reset()
    height = turtle.window_height()
    width = turtle.window_width()
    turtle.left(initial_heading)

    for step in xrange(num_steps):
        turtle.forward(step_size)
        x, y = turtle.position()

        if not inbounds(height, y):
            turtle.setheading(-turtle.heading())

        if not inbounds(width, x):
            turtle.setheading(180 - turtle.heading())

我使用该setheading函数和一个辅助函数 ( inbounds) 来进一步声明此处代码的意图。在您编写的任何代码中提供某种文档字符串也是一种很好的做法(前提是它所声明的消息是准确的!!)

您的里程可能因使用而异xrange,Python 3.0+ 将其重命名为简单range的 .

于 2009-09-22T03:47:19.483 回答