给定image.RGBA
,坐标和一行文字,如何添加一个带有任何普通固定字体的简单标签?例如。来自font/basicfont
的Face7x13
。
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?
}
对齐并不重要,但最好是我可以将标签写在从坐标开始的一条线上方。
我想避免使用像字体这样的外部可加载依赖项。
答案 0 :(得分:38)
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 = 0
和y = 13
(13是此Face7x13
字体的高度)。如果您愿意,可以通过从addLabel()
坐标中减去13
来将其构建到y
函数中,以便传递的y
坐标将是顶部坐标,将绘制文字。
golang.org/x/image/font/inconsolata
包中还有一个包含常规和粗体样式的其他自包含字体,要使用它们,您只需在addLabel()
中指定不同的Face
:< / p>
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,
答案 1 :(得分:6)
这里是使用gg库的示例代码,其中我们已经有src.jpg或任何图像,我们在上面写文字..你可以相应调整画布大小..这只是一个例子。如果它不起作用,请告诉我。
package main
import (
"github.com/fogleman/gg"
"log"
)
func main() {
const S = 1024
im, err := gg.LoadImage("src.jpg")
if err != nil {
log.Fatal(err)
}
dc := gg.NewContext(S, S)
dc.SetRGB(1, 1, 1)
dc.Clear()
dc.SetRGB(0, 0, 0)
if err := dc.LoadFontFace("/Library/Fonts/Arial.ttf", 96); err != nil {
panic(err)
}
dc.DrawStringAnchored("Hello, world!", S/2, S/2, 0.5, 0.5)
dc.DrawRoundedRectangle(0, 0, 512, 512, 0)
dc.DrawImage(im, 0, 0)
dc.DrawStringAnchored("Hello, world!", S/2, S/2, 0.5, 0.5)
dc.Clip()
dc.SavePNG("out.png")
}