登录
首页 >  Golang >  Go问答

如何在 Go 中为图像添加简单的文本标签?

来源:Golang技术栈

时间:2023-04-24 07:35:46 348浏览 收藏

本篇文章向大家介绍《如何在 Go 中为图像添加简单的文本标签?》,主要包括golang,具有一定的参考价值,需要的朋友可以参考一下。

问题内容

给定image.RGBA、坐标和一行文本,我如何添加一个带有任何普通固定字体的简单标签?例如Face7x13font/basicfont.

package main

import (
    "image"
    "image/color"
    "image/png"
    "os"
)

func main() {
    img := image.NewRGBA(image.Rect(0, 0, 320, 240))
    x, y := 100, 100
    addLabel(img, x, y, "Test123")
    png.Encode(os.Stdout, img)
}

func addLabel(img *image.RGBA, x, y int, label string) {
     col := color.Black
     // now what?
}

对齐并不重要,但最好是我可以将标签写在从坐标开始的线上方。

而且我想避免像字体这样的外部可加载依赖项。

正确答案

golang.org/x/image/font包只定义了字体和在图像上绘制文本的接口。

您可以使用 Freetype 字体光栅化器的 Go 实现:github.com/golang/freetype.

关键类型是freetype.Context,它有你需要的所有方法。

有关完整示例,请查看此文件:example/freetype/main.go. 此示例加载字体文件、创建和配置freetype.Context、在图像上绘制文本并将结果图像保存到文件中。

假设您已经加载了字体文件,并c配置了上下文(请参阅示例如何执行此操作)。那么你的addLabel()函数可能如下所示:

func addLabel(img *image.RGBA, x, y int, label string) {
    c.SetDst(img)
    size := 12.0 // font size in pixels
    pt := freetype.Pt(x, y+int(c.PointToFixed(size)>>6))

    if _, err := c.DrawString(label, pt); err != nil {
        // handle error
    }
}

如果您不想为freetype包和外部字体文件烦恼,font/basicfont包中包含一个名为的基本字体Face7x13,其图形数据是完全独立的。这就是你可以使用它的方式:

import (
    "golang.org/x/image/font"
    "golang.org/x/image/font/basicfont"
    "golang.org/x/image/math/fixed"
    "image"
    "image/color"
)

func addLabel(img *image.RGBA, x, y int, label string) {
    col := color.RGBA{200, 100, 0, 255}
    point := fixed.Point26_6{fixed.Int26_6(x * 64), fixed.Int26_6(y * 64)}

    d := &font.Drawer{
        Dst:  img,
        Src:  image.NewUniform(col),
        Face: basicfont.Face7x13,
        Dot:  point,
    }
    d.DrawString(label)
}

这就是这个addLabel()函数的使用方法:下面的代码创建一个新图像,"Hello Go"在其上绘制文本并将其保存在一个名为 的文件中hello-go.png

func main() {
    img := image.NewRGBA(image.Rect(0, 0, 300, 100))
    addLabel(img, 20, 30, "Hello Go")

    f, err := os.Create("hello-go.png")
    if err != nil {
        panic(err)
    }
    defer f.Close()
    if err := png.Encode(f, img); err != nil {
        panic(err)
    }
}

注意上面的代码还需要"image/png"包导入。

另请注意,y给定的坐标将是文本的底线。所以如果你想在左上角画一条线,你必须使用x = 0and y = 13(13是这个Face7x13字体的高度)。如果您愿意,您可以通过从坐标中addLabel()减去来将其构建到函数中,以便传递的坐标将是绘制文本的顶部坐标。13``y``y

包中还有一个额外的自包含字体,golang.org/x/image/font/inconsolata具有常规和粗体样式,要使用它们,您只需要指定不同Face的 in addLabel()

import "golang.org/x/image/font/inconsolata"

        // To use regular Inconsolata font family:
        Face: inconsolata.Regular8x16,

        // To use bold Inconsolata font family:
        Face: inconsolata.Bold8x16,

今天关于《如何在 Go 中为图像添加简单的文本标签?》的内容介绍就到此结束,如果有什么疑问或者建议,可以在golang学习网公众号下多多回复交流;文中若有不正之处,也希望回复留言以告知!

声明:本文转载于:Golang技术栈 如有侵犯,请联系study_golang@163.com删除
相关阅读
更多>
最新阅读
更多>
课程推荐
更多>