Pythonでsvg
をにどのように変換しpng
ますか?をsvg
のインスタンスに格納していますStringIO
。pyCairoライブラリを使用する必要がありますか?どうやってそのコードを書くのですか?
Pythonでsvg
をにどのように変換しpng
ますか?をsvg
のインスタンスに格納していますStringIO
。pyCairoライブラリを使用する必要がありますか?どうやってそのコードを書くのですか?
回答:
答えは「あるpyrsvg」 - Pythonのために結合librsvg。
それを提供するUbuntu python-rsvgパッケージがあります。Googleでその名前を検索すると、ソースコードが「gnome-python-desktop」GnomeプロジェクトのGITリポジトリ内に含まれているように見えるため、うまくいきません。
SVGをcairoサーフェスにレンダリングしてディスクに書き込む、ミニマリストの「hello world」を作成しました。
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
です。上記のスニペットリストは、そのままの状態で機能します。
cairo
、画像の高さと幅を独自に決定する方法はありますか?*.svg
そこからHEIGHTとWIDTHを抽出するためにファイルを調べましたが、どちらもに設定されてい100%
ます。もちろん、画像のプロパティを調べることはできますが、これは画像処理の1つのステップにすぎないため、これは私が望むものではありません。
.get_dimension_data()
、サンプルファイル(正常に動作するSVG)で機能するメソッドがあります。試してみてください。
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')
そしてそれは魅力のように機能します!
svg2png
内のstream
オブジェクトを取り込み、write_to
これはHTTP Responseオブジェクト(ほとんどのフレームワークはファイルのようなオブジェクト)またはその他のストリームであり、Content-Disposition
ヘッダーを使用してブラウザーに配信します。こちらをご覧ください:stackoverflow.com/questions/1012437/...
bytestring
バイトを受け入れるので、最初にbytestring=bytes(svg,'UTF-8')
2)で文字列を変換します。ファイルモードはバイナリであるべきなので、open('output.png','wb')
svg2png
私のために、私が使用する必要がありましたcairosvg.surface.PNGSurface.convert(svg_str, write_to='output.png')
。
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ファイルでオブジェクトを1つだけ表示する場合は、SVGで設定-i
したオブジェクトIDを使用してパラメーターを指定できます。それは他のすべてを隠します。
${INKSCAPE_PATH} -z -f ${source_svg} -w ${width} -i ${object} -j -a ${coordinates} -e ${dest_png}
私はWand-py(ImageMagickのWandラッパーの実装)を使用してかなり高度なSVGをインポートしており、これまでのところ素晴らしい結果が得られています。これがすべてのコードです:
with wand.image.Image( blob=svg_file.read(), format="svg" ) as image:
png_image = image.make_blob("png")
今日私はこれを発見しましたが、これらの質問のほとんどが回答されてからしばらく経っていたので、この回答に悩んでいる可能性のある他の誰にとっても共有する価値があると感じました。
注:技術的にテストすると、ImageMagickのformatパラメーターを渡す必要がないこともwith wand.image.Image( blob=svg_file.read() ) as image:
わかったので、 本当に必要なのはそれだけでした。
編集:qrisによって試みられた編集から、透明な背景を持つSVGでImageMagickを使用できるようにするいくつかの役立つコードを次に示します。
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)
image.read(blob=svg_file.read(), format="svg") NameError: name 'svg_file' is not defined
svg_file
この例では、「ファイル」オブジェクトであると仮定され、設定はsvg_file
:のようなものになりますsvg_file = File.open(file_name, "r")
cairo
とrsvg
「受け入れ」メソッドは私のPDFのために仕事をしませんでした。pip install wand
そしてあなたのスニペットはトリックをしました;)
str
最初に次のようにバイナリにエンコードする必要がありますsvg_blob = svg_str.encode('utf-8')
。今、あなたは交換することにより、上記の方法を使用することができますblob=svg_file.read()
しblob=svg_blob
。
これを試してください:http : //cairosvg.org/
サイトは言う:
CairoSVGは純粋なpythonで書かれており、Pycairoにのみ依存しています。Python 2.6および2.7で動作することが知られています。
2016年11月25日更新:
2.0.0は新しいメジャーバージョンであり、その変更ログには以下が含まれます。
- Python 2のサポートを終了
<clipPath><rect ... /></clipPath>
。次に、-d(DPI)オプションを使用しません。
私がここで見つけた別の解決策スケーリングされたSVGを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パーサー/レンダラーではありません。
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)
満足できる回答は見つかりませんでした。言及されたすべてのライブラリーには、何か問題があるか、またはCairoがpython 3.6のサポートを落とすなどの問題があります(それらは3年前にPython 2のサポートを落としました!)。また、前述のライブラリをMacにインストールするのも面倒でした。
最後に、最良の解決策はsvglib + reportlabであることがわかりました。両方とも問題なくpipを使用してインストールされ、svgからpngに変換する最初の呼び出しは美しく機能しました!ソリューションに非常に満足しています。
たった2つのコマンドでうまくいきます。
from svglib.svglib import svg2rlg
from reportlab.graphics import renderPM
drawing = svg2rlg("my.svg")
renderPM.drawToFile(drawing, "my.png", fmt="PNG")
私が知っておくべきこれらの制限はありますか?
pycairoとlibrsvgを使用して、SVGスケーリングとビットマップへのレンダリングを実現できました。SVGが正確に256x256ピクセルではなく、望ましい出力であると想定すると、rsvgを使用してSVGをCairoコンテキストに読み取り、それをスケーリングしてPNGに書き込むことができます。
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')
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)
Handle.get_dimension_data
私のために動作しませんでした。との単純なフェッチに置き換える必要がself.props.width
ありましたself.props.height
。最初にRsvgDimensionData
cairoのWebサイトで説明されているように構造を定義しようとしましたが、成功しませんでした。
これは、InkscapeがPythonによって呼び出されるアプローチです。
通常のエラーのない操作中にInkscapeがコンソール(具体的にはstderrとstdout)に書き込む特定の不正な出力を抑制することに注意してください。出力は、2つの文字列変数、out
およびにキャプチャされますerr
。
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ピクセルでした。)
実際、私はPython(Cairo、Inkなど)以外に依存したくありませんでした。私の要件はできるだけ単純にすることでした。せいぜい単純なものでpip install "savior"
十分でした。そのため、上記のいずれもそうしなかったのです。 Tスーツ。
私はこれを通り抜けました(調査ではStackoverflowよりも進んでいます)。 https://www.tutorialexample.com/best-practice-to-python-convert-svg-to-png-with-svglib-python-tutorial/
これまでのところ、よさそうだ。だから、私は同じ状況の誰かがいる場合に備えてそれを共有します。