1

マウスの左クリックで色が変わるボードを作ろうとしています。しかし、クリックすると is_square_clicked() を 3 回繰り返します。それは問題です、私はそれを一度だけしたいです。ご想像のとおり、これは私のプログラムに問題を引き起こします。では、クリックごとに 1 つのパススルーに制限するにはどうすればよいでしょうか? ありがとう!

def is_square_clicked(mousepos):
    x, y = mousepos
    for i in xrange(ROWS):
        for j in xrange(COLS):
            for k in xrange(3):
                if x >= grid[i][j][1] and x <= grid[i][j][1] + BLOCK:
                    if y >= grid[i][j][2] and y <= grid[i][j][2] + BLOCK: 
                        if grid[i][j][0] == 0:
                            grid[i][j][0] = 1
                        elif grid[i][j][0] == 1:
                            grid[i][j][0] = 0

while __name__ == '__main__':
    tickFPS = Clock.tick(fps)
    pygame.display.set_caption("Press Esc to quit. FPS: %.2f" % (Clock.get_fps()))
    draw_grid()
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            pygame.quit()
            sys.exit()
        elif event.type == pygame.KEYDOWN:
            if event.key == pygame.K_ESCAPE:
                pygame.quit()
                sys.exit()
        elif event.type == pygame.MOUSEBUTTONUP and event.button == 1:
            mousepos = pygame.mouse.get_pos()
            is_square_clicked(mousepos)
    pygame.display.update()
4

2 に答える 2

1

循環する理由は、3 回チェックするのに十分な長さのマウスを押したままにしているためです。クリックの合間に待機するか、サイクルごとにチェックしないようにする場合は、修正する必要があると思います。

于 2013-06-29T20:07:25.933 に答える
0

ゲームはクリックするたびに複数回ループするため、複数回変更されると推測します

クリックは非常に高速ですが、ループのループは高速です (FPS によって異なります)。

クリックするたびに画面の色を変更する例を次に示します。

"""Very basic.  Change the screen color with a mouse click."""
import os,sys  #used for sys.exit and os.environ
import pygame  #import the pygame module
from random import randint

class Control:
    def __init__(self):
        self.color = 0
    def update(self,Surf):
        self.event_loop()  #Run the event loop every frame
        Surf.fill(self.color) #Make updates to screen every frame
    def event_loop(self):
        for event in pygame.event.get(): #Check the events on the event queue
            if event.type == pygame.MOUSEBUTTONDOWN:
                #If the user clicks the screen, change the color.
                self.color = [randint(0,255) for i in range(3)]
            elif event.type == pygame.QUIT:
                pygame.quit();sys.exit()

if __name__ == "__main__":
    os.environ['SDL_VIDEO_CENTERED'] = '1'  #Center the screen.
    pygame.init() #Initialize Pygame
    Screen = pygame.display.set_mode((500,500)) #Set the mode of the screen
    MyClock = pygame.time.Clock() #Create a clock to restrict framerate
    RunIt = Control()
    while 1:
        RunIt.update(Screen)
        pygame.display.update() #Update the screen
        MyClock.tick(60) #Restrict framerate

このコードは、クリックするたびにランダムな色の背景をブリットするので、おそらく上記のコードから適切な方法を見つけることができます

幸運を!

于 2013-07-01T03:27:42.190 に答える