-2

我正在寻找一种方法,以便每次乌龟在某个地方制作一个点时,一个计数器变量会增加一个,但该变量只响应该确切位置的一个点,因此有效地记录了如何很多时候,一只乌龟在一个特定的位置做了一个点。就像是:

x=0
if (turtle.dot()):
       x+1  

但显然在这种情况下,任何位置的点都会增加计数。提前致谢!C

4

2 回答 2

0

您可以使用turtle.pos()返回笛卡尔坐标的 来检查海龟的位置,进而检查点的位置吗?

if ((turtle.pos() == (thisX, thisY)) and turtle.dot()): 
    x+1
于 2013-09-29T14:58:49.923 回答
0

您可以使用 acollections.defaultdict来计算点数并派生您自己的Turtle子类以帮助跟踪dot{}调用方法的位置。的键将是海龟被调用defaultdict时的 x 和 y 坐标。dot()

这是我的意思的一个例子:

from collections import defaultdict
from turtle import *

class MyTurtle(Turtle):
    def __init__(self, *args, **kwds):
        super(MyTurtle, self).__init__(*args, **kwds)  # initialize base
        self.dots = defaultdict(int)

    def dot(self, *args, **kwds):
        super(MyTurtle, self).dot(*args, **kwds)
        self.dots[self.position()] += 1

    def print_count(self):
        """ print number of dots drawn, if any, at current position """
        print self.dots.get(self.position(), 0) # avoid creating counts of zero

def main(turtle):
    turtle.forward(100)
    turtle.dot("blue")
    turtle.left(90)
    turtle.forward(50)
    turtle.dot("green")
    # go back to the start point
    turtle.right(180) # turn completely around
    turtle.forward(50)
    turtle.dot("red")  # put second one in same spot
    turtle.right(90)
    turtle.forward(100)

if __name__ == '__main__':
    turtle1 = MyTurtle()
    main(turtle1)
    mainloop()

    for posn, count in turtle1.dots.iteritems():
        print('({x:5.2f}, {y:5.2f}): '
              '{cnt:n}'.format(x=posn[0], y=posn[1], cnt=count))

输出:

(100.00, 50.00): 1
(100.00,  0.00): 2
于 2013-09-29T15:30:56.827 回答