5

我正在制作一个非常简单的游戏,小鸟(玩家)必须躲避岩石,如果它被岩石击中,你就输了。我正在尝试使用 pygame.sprite.collide_rect() 来判断他们是否触摸,但我似乎无法弄清楚如何正确使用它。

这是我的代码:

import pygame
import os, sys
import random
import time

img_path = os.path.join('C:\Python27', 'player.png')
img_path2 = os.path.join('C:\Python27', 'rock.png')

class Bird(object):  
    def __init__(self):           
        self.image_s = pygame.image.load(img_path)
        self.image_b = self.image_s.get_rect()
        self.x = 0
        self.y = 0

    def handle_keys(self):
        key = pygame.key.get_pressed()
        dist = 2 
        if key[pygame.K_DOWN]:
            self.y += dist 
        elif key[pygame.K_UP]: 
            self.y -= dist
        if key[pygame.K_RIGHT]: 
            self.x += dist 
        elif key[pygame.K_LEFT]:
            self.x -= dist 

   def draw(self, surface):
       surface.blit(self.image, (self.x, self.y))

    def background(self, surface):
        bg = os.path.join('C:\Python27', 'bg.png')
        self.image2 = pygame.image.load(bg)
        surface.blit(self.image2, (0,0))

class Rock(object): 
    def __init__(self, x=640, y=0,):
        self.image_s = pygame.image.load(img_path2)
        self.image_b = self.image_s.get_rect()
        self.x = x
        self.y = y
        dist = 10
        self.dist = dist

    def rock(self):
        dist = 10
        self.x -=dist

    def rock_draw(self, surface):
        surface.blit(self.image, (self.x, self.y))

    def checkCollision(sprite1, sprite2):
        col = pygame.sprite.collide_rect(sprite1, sprite2)
        if col == True:
            sys.exit()

pygame.init()
screen = pygame.display.set_mode((640, 200))

bird = Bird() 
rock = Rock()
clock = pygame.time.Clock()


running = True
while running:

    for event in pygame.event.get():
       if event.type == pygame.QUIT:
            pygame.quit()
            running = False

        if rock.x < 0:
            y = random.randint(10, 190)
            rock = Rock(640, y)
        rock.checkCollision(bird.image_b, rock.image_b)

    bird.handle_keys()     
    rock.rock()

    screen.fill((255,255,255))
    bird.background(screen)
    bird.draw(screen)
    rock.rock_draw(screen)
    pygame.display.update() 

    clock.tick(40)

当我尝试运行它时,它告诉我它只需要 2 个参数,而当我尝试修复时我给出了三个参数,我得到了各种不同的错误消息。

4

3 回答 3

7
def checkCollision(sprite1, sprite2):
    col = pygame.sprite.collide_rect(sprite1, sprite2)
    if col == True:
        sys.exit()

应该

def checkCollision(self, sprite1, sprite2):
    col = pygame.sprite.collide_rect(sprite1, sprite2)
    if col == True:
        sys.exit()

因为它是绑定到对象的方法。

于 2013-04-26T06:48:25.300 回答
3

你有这个:

col = pygame.sprite.collide_rect(sprite1, sprite2)

但更简单的方法是简单地使用 colliderect,它是 rect 的函数。尝试这个可能更容易:

col=sprite1.rect.colliderect(sprite2.rect)
于 2013-04-26T16:10:13.593 回答
3

改变

def checkCollision(sprite1, sprite2):

def checkCollision(self, sprite1, sprite2):

而且您不必检查每个事件的碰撞,将缩进减少rock.checkCollision(bird.image_b, rock.image_b)1。

于 2013-04-27T10:58:49.640 回答