Golang : Fix cannot use buffer (type bytes.Buffer) as type io.Writer(Write method has pointer receiver) error
Problem :
You created a variable of type bytes.Buffer and encounter this error message when you want to use the variable with bufio.NewWriter() function.
cannot use buffer (type bytes.Buffer) as type io.Writer in argument to bufio.NewWriter: bytes.Buffer does not implement io.Writer (Write method has pointer receiver)
Solution :
From https://golang.org/pkg/bufio/#NewWriter, the NewWriter() will return a pointer *Writer . i.e this explains part the of the error message - Write method has pointer receiver.
To fix this error, you need to provide the memory address of the buffer. In this code example below, you will see that bytes.NewBuffer(nil) is the same as &bytes.Buffer{} and os.Stdout is ok because the underlaying is a pointer of *File type.
package main
import (
"bufio"
"fmt"
"os"
"bytes"
)
func main() {
// redirect to screen, not an issue because os.Stdout is a pointer
screenWriter := bufio.NewWriter(os.Stdout)
fmt.Fprint(screenWriter, "Hello world! 你好世界!\n")
screenWriter.Flush() // Don't forget to flush!
// redirect to buffer
//var buffer bytes.Buffer
//bufferWriter := bufio.NewWriter(buffer) // <--- not ok, will generate error message
//bufferWriter := bufio.NewWriter(&buffer) // <-- ok
buffer := bytes.NewBuffer(nil) // same as &bytes.Buffer{}, so it is ok as well.
bufferWriter := bufio.NewWriter(buffer)
bufferWriter.Flush() // Don't forget to flush!
}
References :
https://www.socketloop.com/references/golang-bufio-newwriter-function-example
See also : Golang : Reset buffer example
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+14.3k Golang : Chunk split or divide a string into smaller chunk example
+20.3k Golang : Convert seconds to human readable time format example
+7.2k Javascript : How to get JSON data from another website with JQuery or Ajax ?
+5.4k Javascript : Shuffle or randomize array example
+29.6k Golang : How to create new XML file ?
+9.5k Golang : Scramble and unscramble text message by randomly replacing words
+10.7k Golang : Flip coin example
+36.8k Golang : Display float in 2 decimal points and rounding up or down
+7.9k Golang : Load DSA public key from file example
+17.6k Golang : Clone with pointer and modify value
+13.5k Golang : Get constant name from value
+6.7k Golang : Skip or discard items of non-interest when iterating example