将描边应用于标题:使用MagickWand

时间:2018-08-26 22:07:56

标签: python c imagemagick wand magickwand

ImageMagick允许您将标题应用于图像。字幕文本会自动调整大小并自动换行以适合您定义的区域。

通过命令行使用ImageMagick,我可以为此标题定义笔触宽度和颜色,如下所示:

convert -size 300x300 -stroke black -strokewidth 1 -fill white \
    -background transparent -gravity center \
    caption:"This is a test of the caption feature in ImageMagick" ~/out.png

This image is the output from the command, for reference.

我在网上找不到任何地方如何使用MagickWand C绑定应用这些属性。我可以创建标题并更改其字体和字体颜色,但是我不知道如何添加笔触。

我想知道这些信息,以便将其支持添加到Python的Wand绑定中。我愿意采用一种替代方法来完成具有重力和笔触的自动调整大小的文本,但最好不需要笨拙的解决方法或外部软件。

作为进一步的信息,我正在通过Homebrew安装的macOS 10.13.6上使用ImageMagick 6.9.10-10。

1 个答案:

答案 0 :(得分:1)

从技术上讲,您将负责构建绘图上下文并计算自动换行。通常通过调用MagickQueryMultilineFontMetrics

但是,caption:协议是一种快捷方式。您可以review the source code来查看如何实现这种计算,但是如果您不感兴趣,可以在调用Image Read方法之前使用MagickSetOption快速破解解决方案。

使用C

#include <wand/MagickWand.h>

int main(int argc, const char * argv[]) {
    MagickWandGenesis();
    MagickWand * wand;
    wand = NewMagickWand();
    // -size 300x300
    MagickSetSize(wand, 300, 300);
    // -stroke black
    MagickSetOption(wand, "stroke", "BLACK");
    // -strokewidth 1
    MagickSetOption(wand, "strokewidth", "1");
    // -fill white
    MagickSetOption(wand, "fill", "WHITE");
    // -background transparent
    MagickSetOption(wand, "background", "TRANSPARENT");
    // -gravity center
    MagickSetGravity(wand, CenterGravity);
    // caption:"This is a test of the caption feature in ImageMagick"
    MagickReadImage(wand, "caption:This is a test of the caption feature in ImageMagick");
    // ~/out.png
    MagickWriteImage(wand, "~/out.png");
    wand = DestroyMagickWand(wand);
    MagickWandTerminus();
    return 0;
}

使用wand

from wand.image import Image
from wand.api import library

with Image() as img:
    # -size 300x300
    library.MagickSetSize(img.wand, 300, 300)
    # -stroke black
    library.MagickSetOption(img.wand, b"stroke", b"BLACK")
    # -strokewidth 1
    library.MagickSetOption(img.wand, b"strokewidth", b"1")
    # -fill white
    library.MagickSetOption(img.wand, b"fill", b"WHITE")
    # -background transparent
    library.MagickSetOption(img.wand, b"background", b"TRANSPARENT")
    # -gravity center
    img.gravity = "center"
    # caption:"This is a test of the caption feature in ImageMagick"
    img.read(filename="caption:This is a test of the caption feature in ImageMagick")
    # ~/out.png
    img.save(filename="~/out.png")