How to convert this command to a python code using Wand & ImageMagick

徘徊边缘 提交于 2020-01-01 03:49:06

问题


I want to convert an image so I can read it better using pyocr & tesseract. The Command line I want to convert to python is :

convert pic.png -background white -flatten -resize 300% pic_2.png

Using python Wand I managed to resize it but I don't know how to do the flattend and the white background My try :

from wand.image import Image
with Image(filename='pic.png') as image:
    image.resize(270, 33)  #Can I use 300% directly ?
    image.save(filename='pic2.png')

Please help
Edit, Here is the image to make tests on :



回答1:


For resize & background. Use the following, and note that you'll need to calculate the 300% yourself.

from wand.image import Image
from wand.color import Color

with Image(filename="pic.png") as img:
  # -resize 300%
  scaler = 3
  img.resize(img.width * scaler, img.height * scaler)
  # -background white
  img.background_color = Color("white")
  img.save(filename="pic2.png")

Unfortunately the c method MagickMergeImageLayers has yet to be implemented. You should author an enhancement request with the development team.

Update If you want to remove the transparency, just disable the alpha channel

from wand.image import Image

with Image(filename="pic.png") as img:
  # Remove alpha
  img.alpha_channel = False
  img.save(filename="pic2.png")

Another way

It might just be easier to create a new image with the same dimensions as the first, and just composite the source image over the new one.

from wand.image import Image
from wand.color import Color

with Image(filename="pic.png") as img:
  with Image(width=img.width, height=img.height, background=Color("white")) as bg:
    bg.composite(img,0,0)
    # -resize 300%
    scaler = 3
    bg.resize(img.width * scaler, img.height * scaler)
    bg.save(filename="pic2.png")


来源:https://stackoverflow.com/questions/27566904/how-to-convert-this-command-to-a-python-code-using-wand-imagemagick

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!