我有一个关于阅读器界面的问题,定义如下:
type Reader interface {
Read(p []byte) (n int, err error)
}
我有以下使用阅读器界面的代码:
package main
import (
"fmt"
"os"
)
// Reading files requires checking most calls for errors.
// This helper will streamline our error checks below.
func check(e error) {
if e != nil {
panic(e)
}
}
func main() {
// You'll often want more control over how and what
// parts of a file are read. For these tasks, start
// by `Open`ing a file to obtain an `os.File` value.
f, err := os.Open("configuration.ini")
check(err)
// Read some bytes from the beginning of the file.
// Allow up to 5 to be read but also note how many
// actually were read.
b1 := make([]byte, 10)
n1, err := f.Read(b1)
check(err)
fmt.Printf("%d bytes: %s\n", n1, string(b1))
f.Close()
}
如您所见,上面的代码b1被定义为字节切片,并将其Read作为值参数传递给方法。在Read方法之后,b1包含文件中的前 10 个字母。
对我来说,上面的代码非常令人困惑的是,为什么b1在Read方法之后突然包含值。
在 Golang 中,当我向方法传递值时,它将作为值传递而不是作为引用传递。为了澄清,我在说什么,我做了一个示例应用程序:
package main
import (
"fmt"
)
func passAsValue(p []byte) {
c := []byte("Foo")
p = c
}
func main() {
b := make([]byte, 10)
passAsValue(b)
fmt.Println(string(b))
}
在passAsValue函数之后,b不包含任何值,并且我在 golang 中期望的是,参数将作为值传递给函数或方法。
那么,为什么第一个代码片段可以更改传递参数的内容?如果该Read方法需要[]byte切片指针,那么我会同意,但在这种情况下不会。
慕码人2483693
相关分类