如何将图像加载到精灵中而不是为精灵绘制形状? 例如:我将50x50图像加载到精灵中,而不是绘制50x50矩形
到目前为止,这是我的精灵代码:
class Player(pygame.sprite.Sprite):
def __init__(self, color, width, height):
super().__init__()
#Config
self.image = pygame.Surface([width, height])
self.image.fill(WHITE)
self.image.set_colorkey(WHITE)
# Draw
pygame.draw.rect(self.image, color , [0, 0, width, height])
# Fetch
self.rect = self.image.get_rect()
def right(self, pixels):
self.rect.x += pixels
def left(self, pixels):
self.rect.x -= pixels
def up(self, pixels):
self.rect.y -= pixels
def down(self, pixels):
self.rect.y += pixels
答案 0 :(得分:4)
首先load全局范围内或单独模块中的图像并导入它。不要在__init__
方法中加载它,否则每次创建实例时都必须从硬盘读取它并且速度很慢。
现在,您可以在类(IMAGE
)中分配全局self.image = IMAGE
,并且所有实例都将引用此图像。
import pygame as pg
pg.init()
# The screen/display has to be initialized before you can load an image.
screen = pg.display.set_mode((640, 480))
IMAGE = pg.image.load('an_image.png').convert_alpha()
class Player(pg.sprite.Sprite):
def __init__(self, pos):
super().__init__()
self.image = IMAGE
self.rect = self.image.get_rect(center=pos)
如果要为同一个类使用不同的图像,可以在实例化期间传递它们:
class Player(pg.sprite.Sprite):
def __init__(self, pos, image):
super().__init__()
self.image = image
self.rect = self.image.get_rect(center=pos)
player1 = Player((100, 300), IMAGE1)
player2 = Player((300, 300), IMAGE2)
使用convert
或convert_alpha
(对于具有透明度的图片)方法来改善blit性能。
如果图像位于子目录中(例如"图像"),请使用os.path.join
构建路径:
import os.path
import pygame as pg
IMAGE = pg.image.load(os.path.join('images', 'an_image.png')).convert_alpha()