View on GitHub

Go Lang Notes

Compilations of Go Lang sample code along with AWS examples. Topped with notes on related topics.

Execute Command Using Go Lang

Visitors

Instructions

Required Imports

import (
    "os/exec"
)

Create Command You Want To Execute

For creating command we use exec.Command() with the arguments - command, followed by the elements of arg. Example given below. Note: You can also configue buffered input and output here, please refer to this link

// Command Name Only Example
// cmd := exec.Command("/home/ubuntu/programyouwanttorun")
// Command Name Only Example for Windows
cmd := exec.Command("c:/tmp/test.exe") //windows specific
// Command Name with Arguments Example
// args := ["args1","args2"]
// cmd := exec.Command("/home/ubuntu/programyouwanttorun", args...) // if arguments are needed
// Command Name with Arguments Example for Windows
cmd := exec.Command("c:/tmp/test.exe", "arg1", "arg2") //windows specific but with arguments

Execute Above Built Command

Run/Execute the command with simple cmd.Run() and handle the error (if any)

err := cmd.Run()
if err != nil {
    fmt.Printf("Error while executing:", err)
}

Another Way To Run The Command

Here we are executing the command and also displaying its output. The Function Output() runs the command and returns its generated output. Any returned error will usually be of type *ExitError. If c.Stderr was nil, Output populates ExitError.Stderr.

out, err := exec.Command("c:/tmp/test.exe", "arg1", "arg2").Output()
if err != nil {
    fmt.Print(err)
}
fmt.Printf(string(out))

Troubleshooting

For Running the Sample Code

Please make sure to build the code in test folder first and then copy the same to c:/tmp/ location for windows, else the referenced command in my code won’t work as it is pointing to that program (OR) You can simply just update the code with your commands and execute it.

Reference

Visitors