这个是A Tour of Go这个教程里面的第九个练习,原题如下:
还记得之前编写的图片生成器 吗?我们再来编写另外一个,不过这次它将会返回一个
image.Image
的实现而非一个数据切片。定义你自己的
Image
类型,实现必要的方法并调用pic.ShowImage
。
Bounds
应当返回一个image.Rectangle
,例如image.Rect(0, 0, w, h)
。
ColorModel
应当返回color.RGBAModel
。
At
应当返回一个颜色。上一个图片生成器的值v
对应于此次的color.RGBA{v, v, 255, 255}
。
原题模板代码如下:
package main
import "golang.org/x/tour/pic"
type Image struct{}
func main() {
m := Image{}
pic.ShowImage(m)
}
题目中提到了三个接口,分别对image
的三个接口:
type Image interface {
// ColorModel returns the Image's color model.
ColorModel() color.Model
// Bounds returns the domain for which At can return non-zero color.
// The bounds do not necessarily contain the point (0, 0).
Bounds() Rectangle
// At returns the color of the pixel at (x, y).
// At(Bounds().Min.X, Bounds().Min.Y) returns the upper-left pixel of the grid.
// At(Bounds().Max.X-1, Bounds().Max.Y-1) returns the lower-right one.
At(x, y int) color.Color
}
接下来我们根据要求实现这三个接口:
package main
import (
"golang.org/x/tour/pic"
"image/color"
"image"
)
type Image struct{}
func (i Image) ColorModel() color.Model{
return color.RGBAModel
}
func (i Image) Bounds() image.Rectangle{
return image.Rect(0, 0, 256, 256)
}
func (i Image) At(x, y int) color.Color{
return color.RGBA{uint8(x), uint8(y), uint8(255), uint8(255)}
}
func main() {
m := Image{}
pic.ShowImage(m)
}
执行结果如下: