0

我正在尝试重新创建一个幻灯片拼图,我需要将文本打印到以前绘制的矩形精灵。这就是我设置它们的方式:

class Tile(Entity):
    def __init__(self,x,y):
        self.image = pygame.Surface((TILE_SIZE-1,TILE_SIZE-1))
        self.image.fill(LIGHT_BLUE)
        self.rect = pygame.Rect(x,y,TILE_SIZE-1,TILE_SIZE-1)
        self.isSelected = False
        self.font = pygame.font.SysFont('comicsansms',22) # Font for the text is defined

这就是我画它们的方式:

def drawTiles(self):
    number = 0
    number_of_tiles = 15

    x = 0
    y = 1

    for i in range(number_of_tiles):
        label = self.font.render(str(number),True,WHITE) # Where the label is defined. I just want it to print 0's for now.
        x += 1
        if x > 4:
            y += 1
            x = 1

        tile = Tile(x*TILE_SIZE,y*TILE_SIZE)
        tile.image.blit(label,[x*TILE_SIZE+40,y*TILE_SIZE+40]) # How I tried to print text to the sprite. It didn't show up and didn't error, so I suspect it must have been drawn behind the sprite.
        tile_list.append(tile) 

这就是我尝试添加 Rect 的方式(用鼠标单击它时):

# Main program loop
for tile in tile_list:
    screen.blit(tile.image,tile.rect)
    if tile.isInTile(pos):
        tile.isSelected = True
        pygame.draw.rect(tile.image,BLUE,[tile.rect.x,tile.rect.y,TILE_SIZE,TILE_SIZE],2)
    else:
        tile.isSelected = False

isInTile:

def isInTile(self,mouse_pos):
    if self.rect.collidepoint(mouse_pos): return True

我究竟做错了什么?

4

1 回答 1

0

Pygame 中的坐标是相对于正在绘制的表面的。您当前在 tile.image 上绘制矩形的方式使其相对于 tile.image 的左上角在 (tile.rect.x, tile.rect.y) 处绘制。大多数时候 tile.rect.x 和 tile.rect.y 会大于 tile 的宽度和高度,所以它是不可见的。您可能想要的是 pygame.draw.rect(tile.image,BLUE,[0,0,TILE_SIZE,TILE_SIZE],2)。这将从图块的左上角 (0,0) 到右下角 (TILE_SIZE,TILE_SIZE) 在图块上绘制一个矩形。

文本也是如此。例如,如果 TILE_SIZE 为 25,x 为 2,则文本在 tile.image 上 blit 的 x 坐标为 2*25+40 = 90。90 大于 tile.image 的宽度(即 TILE_SIZE-1=24 ),因此它将绘制到曲面之外,使其不可见。如果要在 tile.image 的左上角绘制文本,请执行 tile.image.blit(label, [0,0])。

于 2015-03-20T22:41:25.510 回答