1

Here is my code:

package main

import (
    "fmt"
    "os"
    "os/exec"
    "strconv"
    "time"
)

func main() {
    year, month, day := time.Now().Date()
    monthI := int(month)
    fmt.Println("toto")
    date := strconv.Itoa(year)+"_"+strconv.Itoa(monthI)+"_"+strconv.Itoa(day)
    nameSnapshot := "storedb@backup_"+date
    args := []string{"snapshot",nameSnapshot}
    cmd := exec.Command("zfs", args...)
    err := cmd.Run()
    if err != nil {
        os.Stderr.WriteString(err.Error())
    }
    args = []string{"send",nameSnapshot,"|","gzip",">","backup_"+date+".gz"}
    cmd = exec.Command("zfs", args...)
    err = cmd.Run()
    if err != nil {
        os.Stderr.WriteString(err.Error())
    }


}

I would like to do it in one command.

My second line the zfs send command seems not working.

How to pipe and redirect the ouput in golang with cmd.exec?

1 Answer 1

2

This is a simplified version of how you would achieve this:

outfile, _ := os.OpenFile("backup.gz", os.O_RDWR|os.O_CREATE, 0755)

// your zfs command
zfs := exec.Command("zfs", "send", "storedb@backup")
gzip := exec.Command("gzip", "-cf") // gzip to stdout (-cf)
gzip.Stdin, _ = zfs.StdoutPipe()    // zfs stdout to gzip stdin
gzip.Stdout = outfile               // write output of gzip to outfile
gzip.Start()                        // gzip start waiting for input
zfs.Run()                           // zfs start command
gzip.Wait()                         // gzip wait for pipe to close
outfile.Close()

It is equivalent to this command in the shell:

zfs send stored@backup | gzip -cf > backup.gz
Sign up to request clarification or add additional context in comments.

2 Comments

I believe your question only pertains to piping commands. The size of the output is totally another story and requires another question.
precise , simple and elegant

Your Answer

By clicking “Post Your Answer”, you agree to our terms of service and acknowledge you have read our privacy policy.

Start asking to get answers

Find the answer to your question by asking.

Ask question

Explore related questions

See similar questions with these tags.