6

我正在完成 Go 巡回赛中的练习,但遇到了一个我无法弄清楚的障碍。

我正在做Exercise: Slices,我收到了这个错误:

256 x 256

panic: runtime error: index out of range [0] with length 0

goroutine 1 [running]:
main.Pic(0x100, 0x100)
    /tmp/sandbox1628012103/prog.go:14 +0xcf
golang.org/x/tour/pic.Show(0xc0000001a0)
    /tmp/gopath962180923/pkg/mod/golang.org/x/tour@v0.0.0-20201207214521-004403599411/pic/pic.go:32 +0x28
main.main()
    /tmp/sandbox1628012103/prog.go:25 +0x25

这是我的代码:

package main

import (
    "fmt"
    "golang.org/x/tour/pic"
)

func Pic(dx, dy int) [][]uint8 {
    fmt.Printf("%d x %d\n\n", dx, dy)

    pixels := make([][]uint8, 0, dy)

    for y := 0; y < dy; y++ {
        pixels[y] = make([]uint8, 0, dx)

        for x := 0; x < dx; x++ {
            pixels[y][x] = uint8(x * y)
        }
    }

    return pixels
}

func main() {
    pic.Show(Pic)
}
4

2 回答 2

8

切片

对于字符串、数组、指向数组的指针或切片 a,主表达式

一个[低:高]

构造子字符串或切片。索引表达式 low 和 high 选择出现在结果中的元素。结果的索引从 0 开始,长度等于高 - 低。

对于数组或字符串,索引low和high必须满足0 <= low <= high <= length;对于切片,上限是容量而不是长度。

索引

形式的主要表达

斧头]

表示由 x 索引的数组、切片、字符串或映射 a 的元素。值 x 分别称为索引或映射键。以下规则适用:

对于 A 或 *A 类型的 a,其中 A 是数组类型,或者对于 S 类型的 a,其中 S 是切片类型:

x must be an integer value and 0 <= x < len(a)

a[x] is the array element at index x and the type of a[x] is
the element type of A

if a is nil or if the index x is out of range, a run-time panic occurs

制作切片、地图和通道

make(T, n)       slice      slice of type T with length n and capacity n
make(T, n, m)    slice      slice of type T with length n and capacity m

y 必须是整数值并且 0 <= y < len(pixel[]uint8)。x 必须是整数值并且 0 <= x < len(pixel[][]uint8)。例如,

package main

import "tour/pic"

func Pic(dx, dy int) [][]uint8 {
    pixels := make([][]uint8, dy)
    for y := 0; y < dy; y++ {
        pixels[y] = make([]uint8, dx)
        for x := 0; x < dx; x++ {
            pixels[y][x] = uint8(x * y)
        }
    }
    return pixels
}

func main() {
    pic.Show(Pic)
}
于 2012-07-20T19:02:16.503 回答
-2
package main

import "tour/pic"

func Pic(dx, dy int) [][]uint8 {
fmt.Printf("%d x %d\n\n", dx, dy)

     pixels := make([][]uint8, 0, dy)

       for y := 0; y < dy; y++ {
    //    pixels[y] = make([]uint8, 0, dx)

for x := 0; x < dx; x++ {
 // append can skip make statement   
 pixels[y] = append(pixels[y],uint8(x*y)) 

     }
}

 return pixels
}

 func main() {
    pic.Show(Pic)
 }
于 2015-04-11T06:38:23.673 回答