随机定位圈点击游戏

时间:2018-05-27 03:41:08

标签: python python-3.x turtle-graphics

所以我对python仍然很陌生,并试图通过制作小项目来学习。 我正在制作的游戏旨在通过创建一系列随机圆圈来测试鼠标的准确性,玩家应该在给定的时间内点击这些圆圈。在游戏结束时,它应该告诉玩家他们的分数,以及他们有多少次错误点击。

我一直在使用乌龟尝试这样做,但我被困住了:

import turtle
import random
t = turtle.Pen()

win = turtle.Screen()
win.bgcolor("lightgreen")
win.title("clicky")


def mycircle(red, green, blue):
    t.color(red, green, blue)
    t.begin_fill()
    x = random.randint(10,50)
    t.circle(x)
    t.end_fill()
    t.up()
    y = random.randint(0,360)
    t.seth(y) 
    if t.xcor() < -300 or t.xcor() > 300:
        t.goto(0, 0)
    elif t.ycor() < -300 or t.ycor() > 300:
        t.goto(0, 0)
    z = random.randint(0,100)
    t.forward(z)
    t.down()

for i in range(0, 20):
    a = random.randint(0,100)/100.0
    b = random.randint(0,100)/100.0
    c = random.randint(0,100)/100.0
    mycircle(a, b, c)

我一直想弄清楚的主要问题是:

  • 如何让圆圈彼此进一步产生?它们重叠 经常,我希望避免这种情况。

  • 如何让圆圈立即产生,而不是必须 绘制?

1 个答案:

答案 0 :(得分:1)

  

如何让圆圈彼此进一步产生?

我们可以跟踪已创建的圆圈,并确保它们的中心至少相距一个直径。您当前的圈子放置逻辑太复杂而且有问题。让我们尝试简化它并确保在窗口内完全绘制圆圈。

  

如何让圆圈立即产生,而不是必须   绘制?

我们可以盖章而不是绘制它们。但是,由于你画的圈子很少,我们可以把每个圈子变成乌龟。这样可以确定您是否单击了一个圆圈,然后删除该圆圈更简单。我添加了代码,供您展开,删除您点击的任何圈子:

from turtle import Turtle, Screen
from random import random, randint

CURSOR_SIZE = 20

def my_circle(color):
    radius = randint(10, 50)

    circle = Turtle('circle', visible=False)
    circle.shapesize(radius / CURSOR_SIZE)
    circle.color(color)
    circle.penup()

    while True:
        nx = randint(2 * radius - width // 2, width // 2 - radius * 2)
        ny = randint(2 * radius - height // 2, height // 2 - radius * 2)

        circle.goto(nx, ny)

        for other_radius, other_circle in circles:
            if circle.distance(other_circle) < 2 * max(radius, other_radius):
                break  # too close, try again
        else:  # no break
            break

    circle.showturtle()

    circle.onclick(lambda x, y, t=circle: t.hideturtle())  # expand this into a complete function

    return radius, circle

screen = Screen()
screen.bgcolor("lightgreen")
screen.title("clicky")

width, height = screen.window_width(), screen.window_height()

circles = []

for _ in range(0, 20):
    rgb = (random(), random(), random())

    circles.append(my_circle(rgb))

screen.mainloop()

您需要解决的一个问题是确保您的圆圈颜色与您的背景颜色不太相似(或相同),否则您将寻找一个看不见的圆圈。此外,如果需要,我们可以进一步加快圆形绘制过程。

enter image description here