在 Go 语言中, io包为 I/O 原语提供基本接口。它的主要工作是封装这种原语之王的持续实现。 Go 语言中的ReadFull()函数用于从指定的读取器“r”读取到指定的缓冲区“buf”,并且复制的字节恰好等于指定缓冲区的长度。而且,这个函数是在io包下定义的。在这里,您需要导入“io”包才能使用这些功能。
句法:
func ReadFull(r Reader, buf []byte) (n int, err error)
这里,“r”是读取器声明,“buf”是指定长度的缓冲区声明。
返回值:返回指定缓冲区复制的字节数,如果读取的字节数小于指定缓冲区的长度,则返回错误。这里,当且仅当错误为零时,返回的“n”将等于指定的缓冲区的长度。但是,当且仅当没有读取字节时,返回的错误是“EOF”。
注意:如果在读取较少字节但不是所有字节后发生 EOF,则此方法返回ErrUnexpectedEOF错误。但是,如果指定的读取器在读取至少长度的缓冲区后返回错误,则拒绝该错误。
示例 1:
// Golang program to illustrate the usage of
// io.ReadFull() function
// Including main package
package main
// Importing fmt, io, and strings
import (
"fmt"
"io"
"strings"
)
// Calling main
func main() {
// Defining reader using NewReader method
reader := strings.NewReader("Geeks")
// Defining buffer of specified length
// using make keyword
buffer := make([]byte, 4)
// Calling ReadFull method with its parameters
n, err := io.ReadFull(reader, buffer)
// If error is not nil then panics
if err != nil {
panic(err)
}
// Prints output
fmt.Printf("Number of bytes in the buffer: %d\n", n)
fmt.Printf("Content in buffer: %s\n", buffer)
}
输出:
Number of bytes in the buffer: 4
Content in buffer: Geek
这里,’n’ 返回,即 4 等于 ‘buf’ 的长度,因为错误为零。
示例 2:
// Golang program to illustrate the usage of
// io.ReadFull() function
// Including main package
package main
// Importing fmt, io, and strings
import (
"fmt"
"io"
"strings"
)
// Calling main
func main() {
// Defining reader using NewReader method
reader := strings.NewReader("Geeks")
// Defining buffer of specified length
// using make keyword
buffer := make([]byte, 6)
// Calling ReadFull method with its parameters
n, err := io.ReadFull(reader, buffer)
// If error is not nil then panics
if err != nil {
panic(err)
}
// Prints output
fmt.Printf("Number of bytes in the buffer: %d\n", n)
fmt.Printf("Content in buffer: %s\n", buffer)
}
输出:
panic: unexpected EOF
goroutine 1 [running]:
main.main()
/tmp/sandbox503804944/prog.go:29 +0x210
此处,上述代码中声明的缓冲区长度大于从读取器读取的字节,因此会引发 EOF 错误。