3

我目前有一些使用 pycairo 绘制并通过 PyGame 呈现到 SDL 表面的代码。这在 Linux 和 Windows 上运行良好,但 Mac 让我头疼。一切都只是蓝色或粉红色字节顺序似乎是 BGRA 而不是 ARGB,我尝试使用 pygame.Surface.set_masks 和 set_shifts 无济于事。这仅在 mac (osx 10.6) 上被破坏:

import cairo
import pygame

width = 300
height = 200

pygame.init()
pygame.fastevent.init()
clock = pygame.time.Clock()
sdl_surface = pygame.display.set_mode((width, height))

c_surface = cairo.ImageSurface(cairo.FORMAT_ARGB32, width, height)
ctx = cairo.Context(c_surface)

while True:
    pygame.fastevent.get()
    clock.tick(30)
    ctx.rectangle(10, 10, 50, 50)
    ctx.set_source_rgba(0.0, 0.0, 0.0, 1.0)
    ctx.fill_preserve()

    dest = pygame.surfarray.pixels2d(sdl_surface)
    dest.data[:] = c_surface.get_data()
    pygame.display.flip()

我可以通过阵列切片或使用 PIL 来修复它,但这会降低我的帧速率。有没有办法就地或通过设置做到这一点?

4

1 回答 1

2

经过大量的头发撕裂后,我有一个解决方法,它不会通过简单地反转阵列而对我的帧速率造成太大影响:

import cairo
import pygame

width = 300
height = 200

pygame.init()
pygame.fastevent.init()
clock = pygame.time.Clock()
sdl_surface = pygame.display.set_mode((width, height))

c_surface = cairo.ImageSurface(cairo.FORMAT_ARGB32, width, height)
ctx = cairo.Context(c_surface)

while True:
    pygame.fastevent.get()
    clock.tick(30)
    ctx.rectangle(10, 10, 50, 50)
    ctx.set_source_rgba(1.0, 0.0, 0.0, 1.0)
    ctx.fill_preserve()

    dest = pygame.surfarray.pixels2d(sdl_surface)
    dest.data[:] = c_surface.get_data()[::-1]
    tmp = pygame.transform.flip(sdl_surface, True, True)
    sdl_surface.fill((0,0,0))    #workaround to clear the display
    del dest     #this is needed to unlock the display surface
    sdl_surface.blit(tmp, (0,0))
    pygame.display.flip()

我必须从临时 Surface 中删除数组和 blit 的事实似乎不正确,但这是翻转显示的唯一方法。如果有人在这里有更清洁的建议,请发表评论。

于 2012-09-04T14:25:00.877 回答