21

我正在尝试将 PNG 图像粘贴到表面上,但图像的透明部分由于某种原因变成黑色,这是简单的代码:

screen = pygame.display.set_mode((800, 600), pygame.DOUBLEBUF, 32)

world = pygame.Surface((800, 600), pygame.SRCALPHA, 32)
treeImage = pygame.image.load("tree.png")

world.blit(treeImage, (0,0), (0,0,64,64))
screen.blit(world, pygame.rect.Rect(0,0, 800, 600))

我该怎么做才能解决问题?该图像具有 Alpha 透明度,我已在 PhotoShop 中打开它,背景变为透明,而不是黑色或白色或任何其他颜色。

谢谢您的支持 :)

4

4 回答 4

27

http://www.pygame.org/docs/ref/image.html recommends:

For alpha transparency, like in .png images use the convert_alpha() method after loading so that the image has per pixel transparency.

于 2009-10-28T00:57:06.047 回答
8

你没有翻转双缓冲。

import pygame
from pygame.locals import Color

screen = pygame.display.set_mode((800, 600))

treeImage = pygame.image.load("tree.png").convert_alpha()

white = Color('white')

while(True):
    screen.fill(white)
    screen.blit(treeImage, pygame.rect.Rect(0,0, 128, 128))
    pygame.display.flip()

这应该适用于您的问题。

于 2012-12-11T07:57:06.660 回答
2

图像由“pygame.Surface”对象表示。可以从具有以下内容的图像创建表面pygame.image.load

my_image_surface = pygame.load.image('my_image.jpg')

但是,pygame 文档指出:

返回的 Surface 将包含与其来源文件相同的颜色格式、颜色键和 alpha 透明度。您经常需要convert()不带参数调用,以创建一个可以在屏幕上更快绘制的副本。
对于 alpha 透明度,就像在 .png 图像中一样,convert_alpha()在加载后使用该方法,以便图像具有每个像素的透明度。

使用以下convert_alpha()方法以获得最佳性能:

alpha_image_surface = pygame.load.image('my_icon.png').convert_alpha()

可以使用该方法在另一个Surface上绘制或混合一个Surface blitblit 的第一个参数是应该绘制的Surface 。第二个参数是表示左上角的元组 ( x , y ) 或矩形。对于矩形,只考虑矩形的左上角。需要指出的是,窗口分别显示也由一个Surface表示。因此,在窗口中绘制 Surface 与在Surface绘制Surface相同:

window_surface.blit(image_surface, (x, y))
window_surface.blit(image_surface,
    image_surface.get_rect(center = window_surface.get_rect().center))

最小的例子: repl.it/@Rabbid76/PyGame-LoadTransparentImage

import pygame

pygame.init()
window = pygame.display.set_mode((300, 300))
clock = pygame.time.Clock()

pygameSurface = pygame.image.load('Porthole.png').convert_alpha()

background = pygame.Surface(window.get_size())
ts, w, h, c1, c2 = 50, *window.get_size(), (160, 160, 160), (192, 192, 192)
tiles = [((x*ts, y*ts, ts, ts), c1 if (x+y) % 2 == 0 else c2) for x in range((w+ts-1)//ts) for y in range((h+ts-1)//ts)]
for rect, color in tiles:
    pygame.draw.rect(background, color, rect)

run = True
while run:
    clock.tick(60)
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            run = False

    window.blit(background, (0, 0))
    window.blit(pygameSurface, pygameSurface.get_rect(center = window.get_rect().center))
    pygame.display.flip()

pygame.quit()
exit()
于 2020-11-01T10:08:21.270 回答
0

您的代码看起来应该是正确的。SDL 库不支持像这样的 alpha 到 alpha blitting,但 Pygame 不久前增加了对它的支持。在 Pygame 1.8 中添加了对自定义混合模式的支持,我想知道这是否删除了 Pygame 的内部 alpha-to-alpha blitter?

唉,还需要进一步调查。

于 2009-11-06T18:31:29.443 回答