Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to create new file using go script

Tags:

go

I am new to go lang. I am able to create a new file from the terminal using go script. like this

go run ../myscript.go > ../filename.txt

but I want to create the file from the script.

package main

import "fmt"

func main() {
    fmt.Println("Hello") > filename.txt
}
like image 809
yarlg Avatar asked Oct 14 '17 19:10

yarlg


1 Answers

If you are trying to print some text to a file one way to do it is like below, however if the file already exists its contents will be lost:

package main

import (
    "fmt"
    "os"
)

func main() {
    err := os.WriteFile("filename.txt", []byte("Hello"), 0755)
    if err != nil {
        fmt.Printf("Unable to write file: %v", err)
    }
}

The following way will allow you to append to an existing file if it already exists, or creates a new file if it doesn't exist:

package main

import (
    "os"
    "log"
)


func main() {
    // If the file doesn't exist, create it, or append to the file
    f, err := os.OpenFile("access.log", os.O_APPEND|os.O_CREATE|os.O_WRONLY, 0644)
    if err != nil {
        log.Fatal(err)
    }
   
    _, err = f.Write([]byte("Hello"))
    if err != nil {
        log.Fatal(err)
    }

    f.Close()
}
like image 96
Jack Avatar answered Oct 21 '22 20:10

Jack