Home >Backend Development >Golang >How to Execute Built-in Windows Commands Like 'del' in Golang?
When attempting to execute a simple Windows command such as "del c:aaa.txt" using "exec.Command", users may encounter an error indicating that the executable file cannot be found in the system path. This error occurs because certain commands, like "del," are built into the Windows command interpreter (cmd.exe) and do not have standalone executable files.
To execute these built-in commands in Golang, the following approach can be taken:
Here's a modified code snippet that incorporates this solution:
package main import ( "fmt" "os/exec" "runtime" ) func main() { var c *exec.Cmd switch runtime.GOOS { case "windows": c = exec.Command("cmd", "/C", "del", "D:\a.txt") default: c = exec.Command("rm", "-f", "D:\a.txt") } if err := c.Run(); err != nil { fmt.Println("Error:", err) } }
Using this approach, you will be able to execute Windows built-in commands successfully in Golang, even those without standalone executable files.
The above is the detailed content of How to Execute Built-in Windows Commands Like 'del' in Golang?. For more information, please follow other related articles on the PHP Chinese website!