图片的操控有点复杂。Image类型有一些必要的方法必须实现。而 Image 本身也要构建一个最简单的结构体,包含图片的宽和高。
我们实现一个给定了大小的图片,然后把这个图片输出。
图片基本的结构和方法
type Image struct{
    width  int
    height int
}
func (img Image) ColorModel() color.Model {
    return color.RGBAModel
}
func (img Image) Bounds() image.Rectangle {
    return image.Rect(0, 0, img.width, img.height)
}
func (img Image) At(x, y int) color.Color {
    return color.RGBA{uint8(x), uint8(y), uint8(255), uint8(255)}
}
图片输出的方法
func Show(f func(int, int) [][]uint8) {
    const (
        dx = 256
        dy = 256
    )
    data := f(dx, dy)
    m := image.NewNRGBA(image.Rect(0, 0, dx, dy))
    for y := 0; y < dy; y++ {
        for x := 0; x < dx; x++ {
            v := data[y][x]
            i := y*m.Stride + x*4
            m.Pix[i] = v
            m.Pix[i+1] = v
            m.Pix[i+2] = 255
            m.Pix[i+3] = 255
        }
    }
    ShowImage(m)
}
func ShowImage(m image.Image) {
    var buf bytes.Buffer
    err := png.Encode(&buf, m)
    if err != nil {
        panic(err)
    }
    enc := base64.StdEncoding.EncodeToString(buf.Bytes())
    fmt.Println("IMAGE:" + enc)
}
在 22篇我们实现过一个图片程序,本篇的完整代码如下。你可以两篇对比着看有何区别。
package main
import (
    "bytes"
    "encoding/base64"
    "fmt"
    "image"
    "image/png"
    "image/color"
)
func Show(f func(int, int) [][]uint8) {
    const (
        dx = 256
        dy = 256
    )
    data := f(dx, dy)
    m := image.NewNRGBA(image.Rect(0, 0, dx, dy))
    for y := 0; y < dy; y++ {
        for x := 0; x < dx; x++ {
            v := data[y][x]
            i := y*m.Stride + x*4
            m.Pix[i] = v
            m.Pix[i+1] = v
            m.Pix[i+2] = 255
            m.Pix[i+3] = 255
        }
    }
    ShowImage(m)
}
func ShowImage(m image.Image) {
    var buf bytes.Buffer
    err := png.Encode(&buf, m)
    if err != nil {
        panic(err)
    }
    enc := base64.StdEncoding.EncodeToString(buf.Bytes())
    fmt.Println("IMAGE:" + enc)
}
type Image struct{
    width  int
    height int
}
func (img Image) ColorModel() color.Model {
    return color.RGBAModel
}
func (img Image) Bounds() image.Rectangle {
    return image.Rect(0, 0, img.width, img.height)
}
func (img Image) At(x, y int) color.Color {
    return color.RGBA{uint8(x), uint8(y), uint8(255), uint8(255)}
}
func main() {
    m := Image{500,500}
    ShowImage(m)
}
输出的结果
 图片宽高都是500
图片宽高都是500
 图片宽高都是255
图片宽高都是255
          











网友评论