在Python中将SVG转换为PNG

时间:2011-07-05 21:59:55

标签: python svg rendering cairo

如何在Python中将svg转换为png?我将svg存储在StringIO的实例中。我应该使用pyCairo库吗?我该如何编写该代码?

12 个答案:

答案 0 :(得分:56)

以下是我使用cairosvg所做的事情:

from cairosvg import svg2png

svg_code = """
    <svg xmlns="http://www.w3.org/2000/svg" width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="#000" stroke-width="2" stroke-linecap="round" stroke-linejoin="round">
        <circle cx="12" cy="12" r="10"/>
        <line x1="12" y1="8" x2="12" y2="12"/>
        <line x1="12" y1="16" x2="12" y2="16"/>
    </svg>
"""

svg2png(bytestring=svg_code,write_to='output.png')

它就像一个魅力!

查看更多:cairosvg document

答案 1 :(得分:54)

答案是“pyrsvg” - librsvg的Python绑定。

有一个Ubuntu python-rsvg package提供它。搜索Google的名称很差,因为它的源代码似乎包含在“gnome-python-desktop”Gnome项目GIT存储库中。

我创造了一个极简主义的“hello world”,让SVG变成了一个开罗 表面并将其写入磁盘:

import cairo
import rsvg

img = cairo.ImageSurface(cairo.FORMAT_ARGB32, 640,480)

ctx = cairo.Context(img)

## handle = rsvg.Handle(<svg filename>)
# or, for in memory SVG data:
handle= rsvg.Handle(None, str(<svg data>))

handle.render_cairo(ctx)

img.write_to_png("svg.png")

更新:截至2014年,Fedora Linux发行版所需的软件包为:gnome-python2-rsvg。上面的代码段列表仍然按原样运行。

答案 2 :(得分:39)

安装Inkscape并将其命名为命令行:

${INKSCAPE_PATH} -z -f ${source_svg} -w ${width} -j -e ${dest_png}

您也可以仅使用参数-j捕捉特定的矩形区域,例如统筹“0:125:451:217”

${INKSCAPE_PATH} -z -f ${source_svg} -w ${width} -j -a ${coordinates} -e ${dest_png}

如果只想在SVG文件中显示一个对象,可以使用在SVG中设置的对象ID指定参数-i。它隐藏了其他一切。

${INKSCAPE_PATH} -z -f ${source_svg} -w ${width} -i ${object} -j -a ${coordinates} -e ${dest_png}

答案 3 :(得分:25)

我正在使用Wand-py(围绕ImageMagick的Wand包装器的实现)导入一些非常高级的SVG,到目前为止已经看到了很好的结果!这是它需要的所有代码:

    with wand.image.Image( blob=svg_file.read(), format="svg" ) as image:
        png_image = image.make_blob("png")

我今天刚刚发现了这一点,并且觉得值得分享其他任何可能因为大部分问题得到解答而已经过了一段时间的人都可以分享这个答案。

注意:从技术上来说,我发现你甚至不必传递ImageMagick的格式参数,所以with wand.image.Image( blob=svg_file.read() ) as image:就是真正需要的。

编辑:从qris尝试编辑,这里有一些有用的代码,可以让你将ImageMagick用于具有透明背景的SVG:

from wand.api import library
import wand.color
import wand.image

with wand.image.Image() as image:
    with wand.color.Color('transparent') as background_color:
        library.MagickSetBackgroundColor(image.wand, 
                                         background_color.resource) 
    image.read(blob=svg_file.read(), format="svg")
    png_image = image.make_blob("png32")

with open(output_filename, "wb") as out:
    out.write(png_image)

答案 4 :(得分:11)

试试这个:http://cairosvg.org/

该网站说:

  

CairoSVG是用纯python编写的,只依赖于Pycairo。它是   已知可以使用Python 2.6和2.7。

更新 November 25, 2016

  

2.0.0是一个新的主要版本,其更改日志包括:

     
      
  • 删除Python 2支持
  •   

答案 5 :(得分:6)

我在这里找到的另一种解决方案How to render a scaled SVG to a QImage?

from PySide.QtSvg import *
from PySide.QtGui import *


def convertSvgToPng(svgFilepath,pngFilepath,width):
    r=QSvgRenderer(svgFilepath)
    height=r.defaultSize().height()*width/r.defaultSize().width()
    i=QImage(width,height,QImage.Format_ARGB32)
    p=QPainter(i)
    r.render(p)
    i.save(pngFilepath)
    p.end()

PySide可以从Windows中的二进制包中轻松安装(我将其用于其他事情,因此对我来说很容易)。

但是,我注意到从维基媒体转换国家标志时出现了一些问题,所以也许不是最强大的svg解析器/渲染器。

答案 6 :(得分:4)

对jsbueno答案的一点延伸:

#!/usr/bin/env python

import cairo
import rsvg
from xml.dom import minidom


def convert_svg_to_png(svg_file, output_file):
    # Get the svg files content
    with open(svg_file) as f:
        svg_data = f.read()

    # Get the width / height inside of the SVG
    doc = minidom.parse(svg_file)
    width = int([path.getAttribute('width') for path
                 in doc.getElementsByTagName('svg')][0])
    height = int([path.getAttribute('height') for path
                  in doc.getElementsByTagName('svg')][0])
    doc.unlink()

    # create the png
    img = cairo.ImageSurface(cairo.FORMAT_ARGB32, width, height)
    ctx = cairo.Context(img)
    handler = rsvg.Handle(None, str(svg_data))
    handler.render_cairo(ctx)
    img.write_to_png(output_file)

if __name__ == '__main__':
    from argparse import ArgumentParser

    parser = ArgumentParser()

    parser.add_argument("-f", "--file", dest="svg_file",
                        help="SVG input file", metavar="FILE")
    parser.add_argument("-o", "--output", dest="output", default="svg.png",
                        help="PNG output file", metavar="FILE")
    args = parser.parse_args()

    convert_svg_to_png(args.svg_file, args.output)

答案 7 :(得分:1)

SVG缩放和PNG渲染

使用pycairolibrsvg我能够实现SVG缩放和渲染到位图。假设您的SVG不是256x256像素,即所需的输出,您可以使用rsvg将SVG读入开启上下文,然后缩放它并写入PNG。

main.py

import cairo
import rsvg

width = 256
height = 256

svg = rsvg.Handle('cool.svg')
unscaled_width = svg.props.width
unscaled_height = svg.props.height

svg_surface = cairo.SVGSurface(None, width, height)
svg_context = cairo.Context(svg_surface)
svg_context.save()
svg_context.scale(width/unscaled_width, height/unscaled_height)
svg.render_cairo(svg_context)
svg_context.restore()

svg_surface.write_to_png('cool.png')

RSVG C绑定

从Cario网站进行一些小修改。也是如何从Python调用C库的一个很好的例子

from ctypes import CDLL, POINTER, Structure, byref, util
from ctypes import c_bool, c_byte, c_void_p, c_int, c_double, c_uint32, c_char_p


class _PycairoContext(Structure):
    _fields_ = [("PyObject_HEAD", c_byte * object.__basicsize__),
                ("ctx", c_void_p),
                ("base", c_void_p)]


class _RsvgProps(Structure):
    _fields_ = [("width", c_int), ("height", c_int),
                ("em", c_double), ("ex", c_double)]


class _GError(Structure):
    _fields_ = [("domain", c_uint32), ("code", c_int), ("message", c_char_p)]


def _load_rsvg(rsvg_lib_path=None, gobject_lib_path=None):
    if rsvg_lib_path is None:
        rsvg_lib_path = util.find_library('rsvg-2')
    if gobject_lib_path is None:
        gobject_lib_path = util.find_library('gobject-2.0')
    l = CDLL(rsvg_lib_path)
    g = CDLL(gobject_lib_path)
    g.g_type_init()

    l.rsvg_handle_new_from_file.argtypes = [c_char_p, POINTER(POINTER(_GError))]
    l.rsvg_handle_new_from_file.restype = c_void_p
    l.rsvg_handle_render_cairo.argtypes = [c_void_p, c_void_p]
    l.rsvg_handle_render_cairo.restype = c_bool
    l.rsvg_handle_get_dimensions.argtypes = [c_void_p, POINTER(_RsvgProps)]

    return l


_librsvg = _load_rsvg()


class Handle(object):
    def __init__(self, path):
        lib = _librsvg
        err = POINTER(_GError)()
        self.handle = lib.rsvg_handle_new_from_file(path.encode(), byref(err))
        if self.handle is None:
            gerr = err.contents
            raise Exception(gerr.message)
        self.props = _RsvgProps()
        lib.rsvg_handle_get_dimensions(self.handle, byref(self.props))

    def get_dimension_data(self):
        svgDim = self.RsvgDimensionData()
        _librsvg.rsvg_handle_get_dimensions(self.handle, byref(svgDim))
        return (svgDim.width, svgDim.height)

    def render_cairo(self, ctx):
        """Returns True is drawing succeeded."""
        z = _PycairoContext.from_address(id(ctx))
        return _librsvg.rsvg_handle_render_cairo(self.handle, z.ctx)

答案 8 :(得分:1)

这是另一种不使用 rsvg 的解决方案(目前不适用于 Windows)。仅使用 pip install CairoSVG 安装 cairosvg

svg2png.py
from cairosvg import svg2png
svg_code = open("input.svg", 'rt').read()
svg2png(bytestring=svg_code,write_to='output.png')

答案 9 :(得分:0)

我没有找到满意的答案。所有提到的库都存在某些问题,例如Cairo放弃了对python 3.6的支持(它们在3年前就放弃了Python 2的支持!)。另外,在Mac上安装上述库也是很痛苦的。

最后,我发现最好的解决方案是 svglib + reportlab 。两者都使用pip顺利安装并且首次调用将svg转换为png都工作得很好!对解决方案感到非常满意。

只有2条命令可以解决问题:

drawing = svg2rlg("intouchapp.svg")
renderPM.drawToFile(drawing, "intouchapp.png", fmt="PNG")

我应该意识到这些限制吗?

答案 10 :(得分:0)

实际上,除了Python(Cairo,Ink等)之外,我不想依赖于其他任何东西。 我的要求要尽可能地简单,最多只需要一个简单的pip install "savior"就可以了,这就是上述任何一个都不适合我的原因。

我经历了这一点(在研究上比Stackoverflow更深入)。 https://www.tutorialexample.com/best-practice-to-python-convert-svg-to-png-with-svglib-python-tutorial/

到目前为止看起来不错。因此,如果有人遇到相同的情况,我会分享。

答案 11 :(得分:-1)

这是一个端到端的Python示例。

请注意,它会抑制Inkscape在正常无错误操作期间写入控制台(特别是stderr和stdout)的某些狡猾输出。输出捕获在两个字符串变量outerr中。

import subprocess               # May want to use subprocess32 instead

cmd_list = [ '/full/path/to/inkscape', '-z', 
             '--export-png', '/path/to/output.png',
             '--export-width', 100,
             '--export-height', 100,
             '/path/to/input.svg' ]

# Invoke the command.  Divert output that normally goes to stdout or stderr.
p = subprocess.Popen( cmd_list, stdout=subprocess.PIPE, stderr=subprocess.PIPE )

# Below, < out > and < err > are strings or < None >, derived from stdout and stderr.
out, err = p.communicate()      # Waits for process to terminate

# Maybe do something with stdout output that is in < out >
# Maybe do something with stderr output that is in < err >

if p.returncode:
    raise Exception( 'Inkscape error: ' + (err or '?')  )

例如,在我的Mac OS系统上运行特定作业时,out最终成为:

Background RRGGBBAA: ffffff00
Area 0:0:339:339 exported to 100 x 100 pixels (72.4584 dpi)
Bitmap saved as: /path/to/output.png

(输入svg文件的大小为339 x 339像素。)