在 Go 语言中, io包为 I/O 原语提供基本接口。它的主要工作是封装这种原语之王的持续实现。 Go 语言中的MultiWriter()函数用于创建一个写入器,将其写入复制到每个给定的写入器,这与 Unix 命令 tee(1) 相同。在这里,每一个写入都被一个一个地写入到每个包含的写入器中。而且,这个函数是在io包下定义的。在这里,您需要导入“io”包才能使用这些功能。
句法:
func MultiWriter(writers ...Writer) Writer
此处,“writers”是在此函数作为参数声明的 writers 数量。
返回值:它返回一个 Writer,其中包括指定缓冲区中存在的字节数,如果有错误,也返回一个错误。如果指定的写入器返回错误,则整个写入操作将停止并且不会向下扩展列表。
示例 1:
// Golang program to illustrate the usage of
// io.MultiWriter() function
// Including main package
package main
// Importing fmt, io, bytes, and strings
import (
"bytes"
"fmt"
"io"
"strings"
)
// Calling main
func main() {
// Defining reader using NewReader method
reader := strings.NewReader("Geeks")
// Defining two buffers
var buffer1, buffer2 bytes.Buffer
// Calling MultiWriter method with its parameters
writer := io.MultiWriter(&buffer1, &buffer2)
// Calling Copy method with its parameters
n, err := io.Copy(writer, reader)
// If error is not nil then panics
if err != nil {
panic(err)
}
// Prints output
fmt.Printf("Number of bytes in the buffer: %v\n", n)
fmt.Printf("Buffer1: %v\n", buffer1.String())
fmt.Printf("Buffer2: %v\n", buffer2.String())
}
输出:
Number of bytes in the buffer: 5
Buffer1: Geeks
Buffer2: Geeks
这里,Copy() 方法用于返回缓冲区中包含的字节数。在这里,缓冲区的内容与指定的写入器将其写入复制到所有其他写入器的内容相同。
示例 2:
// Golang program to illustrate the usage of
// io.MultiWriter() function
// Including main package
package main
// Importing fmt, io, bytes, and strings
import (
"bytes"
"fmt"
"io"
"strings"
)
// Calling main
func main() {
// Defining reader using NewReader method
reader := strings.NewReader("GeeksforGeeks\nis\na\nCS-Portal!")
// Defining two buffers
var buffer1, buffer2 bytes.Buffer
// Calling MultiWriter method with its parameters
writer := io.MultiWriter(&buffer1, &buffer2)
// Calling Copy method with its parameters
n, err := io.Copy(writer, reader)
// If error is not nil then panics
if err != nil {
panic(err)
}
// Prints output
fmt.Printf("Number of bytes in the buffer: %v\n", n)
fmt.Printf("Buffer1: %v\n", buffer1.String())
fmt.Printf("Buffer2: %v\n", buffer2.String())
}
输出:
Number of bytes in the buffer: 29
Buffer1: GeeksforGeeks
is
a
CS-Portal!
Buffer2: GeeksforGeeks
is
a
CS-Portal!