Golang:将PNG透明背景图像转换为JPG或JPEG图像

2023-06-01 00:00:00 图像 转换为 透明

因为JPEG格式不支持透明背景,所以在从PNG转换为JPEG图像时,您将不得不预料到一些质量损失。

具有透明背景的PNG文件:

以直接的方式将 PNG 转换为JPEG将导致透明背景在最终结果中变为黑色。

转换后的黑色背景 JPEG 文件:

我们需要采取额外的步骤来创建一个具有白色背景的新图像,并将 PNG 图像粘贴到新图像上,然后再保存为 JPEG。

正确代码:

 package main
 import (
         "fmt"
         "image"
         "image/color"
         "image/draw"
         "image/jpeg"
         "image/png"
         "os"
 )
 func main() {
         pngImgFile, err := os.Open("./PNG-file.png")
         if err != nil {
                 fmt.Println("PNG-file.png file not found!")
                 os.Exit(1)
         }
         defer pngImgFile.Close()
         // create image from PNG file
         imgSrc, err := png.Decode(pngImgFile)
         if err != nil {
                 fmt.Println(err)
                 os.Exit(1)
         }
         // create a new Image with the same dimension of PNG image
         newImg := image.NewRGBA(imgSrc.Bounds())
         // we will use white background to replace PNG's transparent background
         // you can change it to whichever color you want with
         // a new color.RGBA{} and use image.NewUniform(color.RGBA{<fill in color>}) function
         draw.Draw(newImg, newImg.Bounds(), &image.Uniform{color.White}, image.Point{}, draw.Src)
         // paste PNG image OVER to newImage
         draw.Draw(newImg, newImg.Bounds(), imgSrc, imgSrc.Bounds().Min, draw.Over)
         // create new out JPEG file
         jpgImgFile, err := os.Create("./JPEG-file.jpg")
         if err != nil {
                 fmt.Println("Cannot create JPEG-file.jpg !")
                 fmt.Println(err)
                 os.Exit(1)
         }
         defer jpgImgFile.Close()
         var opt jpeg.Options
         opt.Quality = 80
         // convert newImage to JPEG encoded byte and save to jpgImgFile
         // with quality = 80
         err = jpeg.Encode(jpgImgFile, newImg, &opt)
         //err = jpeg.Encode(jpgImgFile, newImg, nil) -- use nil if ignore quality options
         if err != nil {
                 fmt.Println(err)
                 os.Exit(1)
         }
         fmt.Println("Converted PNG file to JPEG file")
 }

最后结果。 

得到从PNG转换的具有白色背景的JPEG文件

相关文章