Shailesh
Shailesh

Reputation: 395

Convert back byte array into file using golang

Is there a way to write a byte array to a file? I have the file name and file extension(like temp.xml).

Upvotes: 9

Views: 25270

Answers (2)

Colin Douglas
Colin Douglas

Reputation: 81

According to https://golang.org/pkg/io/ioutil/#WriteFile, as of Go 1.16 this function is deprecated. Use https://pkg.go.dev/os#WriteFile instead (ioutil.WriteFile simply calls os.WriteFile as of 1.16).

Otherwise, Jeffrey Martinez's answer remains correct:

permissions := 0644 // or whatever you need
byteArray := []byte("to be written to a file\n")
err := os.WriteFile("file.txt", byteArray, permissions)
if err != nil { 
    // handle error
}

Upvotes: 5

Jeffrey Martinez
Jeffrey Martinez

Reputation: 4604

Sounds like you just want the ioutil.WriteFile function from the standard library.

https://golang.org/pkg/io/ioutil/#WriteFile

It would look something like this:

permissions := 0644 // or whatever you need
byteArray := []byte("to be written to a file\n")
err := ioutil.WriteFile("file.txt", byteArray, permissions)
if err != nil { 
    // handle error
}

Upvotes: 25

Related Questions