Pergunta

Em um pygame aplicação, gostaria de prestar GUI widgets livre de resolução descritos em SVG.

Que ferramenta e / ou biblioteca que eu posso usar para atingir esse objetivo?

(I como o OCEMP GUI kit de ferramentas, mas parece ser bitmap dependente para sua prestação)

Foi útil?

Solução

Este é um exemplo completo que combina notas por outras pessoas aqui. Deve tornar um arquivo chamado test.svg do diretório atual. Ele foi testado no Ubuntu 10.10, python-cairo 1.8.8, python-pygame 1.9.1, python-rsvg 2.30.0.

#!/usr/bin/python

import array
import math

import cairo
import pygame
import rsvg

WIDTH = 512
HEIGHT = 512

data = array.array('c', chr(0) * WIDTH * HEIGHT * 4)
surface = cairo.ImageSurface.create_for_data(
    data, cairo.FORMAT_ARGB32, WIDTH, HEIGHT, WIDTH * 4)

pygame.init()
window = pygame.display.set_mode((WIDTH, HEIGHT))
svg = rsvg.Handle(file="test.svg")
ctx = cairo.Context(surface)
svg.render_cairo(ctx)

screen = pygame.display.get_surface()
image = pygame.image.frombuffer(data.tostring(), (WIDTH, HEIGHT),"ARGB")
screen.blit(image, (0, 0)) 
pygame.display.flip() 

clock = pygame.time.Clock()
while True:
    clock.tick(15)
    for event in pygame.event.get():
        if event.type == pygame.QUIT:
            raise SystemExit

Outras dicas

A questão é antiga, mas 10 anos se passaram e não há nova possibilidade que as obras e não requer librsvg mais. Há Cython wrapper sobre nanosvg biblioteca e ele funciona:

from svg import Parser, Rasterizer


def load_svg(filename, surface, position, size=None):
    if size is None:
        w = surface.get_width()
        h = surface.get_height()
    else:
        w, h = size
    svg = Parser.parse_file(filename)
    rast = Rasterizer()
    buff = rast.rasterize(svg, w, h)
    image = pygame.image.frombuffer(buff, (w, h), 'ARGB')
    surface.blit(image, position)

Eu encontrei Cairo solução / rsvg muito complicado para chegar ao trabalho por causa de dependências são bastante obscuro para instalar.

Você pode usar Cairo (com pycairo), que tem suporte para renderização SVGs. A página da web PyGame tem uma COMO para render em um tampão com um Cairo, e utilizando-se tampão directamente com PyGame.

Sei que isso não responde exatamente a sua pergunta, mas há uma biblioteca chamada Squirtle que irá processar arquivos SVG usando Pyglet ou PyOpenGL.

pygamesvg parece estar a fazer o que você quer (embora eu não tentei).

O Cairo não pode tornar SVG fora da caixa. Parece que temos para uso librsvg.

Só encontrei aquelas duas páginas:

Algo como isso deve provavelmente trabalho (render test.svg para test.png ):

import cairo
import rsvg

WIDTH, HEIGHT  = 256, 256
surface = cairo.ImageSurface(cairo.FORMAT_ARGB32, WIDTH, HEIGHT)

ctx = cairo.Context (surface)

svg = rsvg.Handle(file="test.svg")
svg.render_cairo(ctx)

surface.write_to_png("test.png")

O último comentário caiu quando eu corri porque svg.render_cairo () está esperando um contexto cairo e não uma superfície cairo. Eu criado e testado a seguinte função e parece funcionar muito bem no meu sistema.

import array,cairo, pygame,rsvg

def loadsvg(filename,surface,position):
    WIDTH = surface.get_width()
    HEIGHT = surface.get_height()
    data = array.array('c', chr(0) * WIDTH * HEIGHT * 4)
    cairosurface = cairo.ImageSurface.create_for_data(data, cairo.FORMAT_ARGB32, WIDTH, HEIGHT, WIDTH * 4)
    svg = rsvg.Handle(filename)
    svg.render_cairo(cairo.Context(cairosurface))
    image = pygame.image.frombuffer(data.tostring(), (WIDTH, HEIGHT),"ARGB")
    surface.blit(image, position) 

WIDTH = 800
HEIGHT = 600
pygame.init()
window = pygame.display.set_mode((WIDTH, HEIGHT))
screen = pygame.display.get_surface()

loadsvg("test.svg",screen,(0,0))

pygame.display.flip() 

clock = pygame.time.Clock()
while True:
    clock.tick(15)
    event = pygame.event.get()
    for e in event:
        if e.type == 12:
            raise SystemExit

Com base em outras respostas, aqui está uma função para ler um arquivo SVG em uma imagem pygame - incluindo corrigindo fim canal de cor e dimensionamento:

def pygame_svg( svg_file, scale=1 ):
    svg = rsvg.Handle(file=svg_file)
    width, height= map(svg.get_property, ("width", "height"))
    width*=scale; height*=scale
    data = array.array('c', chr(0) * width * height * 4)
    surface = cairo.ImageSurface.create_for_data( data, cairo.FORMAT_ARGB32, width, height, width*4)
    ctx = cairo.Context(surface)
    ctx.scale(scale, scale)
    svg.render_cairo(ctx)

    #seemingly, cairo and pygame expect channels in a different order...
    #if colors/alpha are funny, mess with the next lines
    import numpy
    data= numpy.fromstring(data, dtype='uint8')
    data.shape= (height, width, 4)
    c= data.copy()
    data[::,::,0]=c[::,::,1]
    data[::,::,1]=c[::,::,0]
    data[::,::,2]=c[::,::,3]
    data[::,::,3]=c[::,::,2]

    image = pygame.image.frombuffer(data.tostring(), (width, height),"ARGB")
    return image
Licenciado em: CC-BY-SA com atribuição
Não afiliado a StackOverflow
scroll top