2015-08-19 13:38:31 -04:00
|
|
|
package provisioner
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"strings"
|
|
|
|
)
|
|
|
|
|
|
|
|
const UnixOSType = "unix"
|
|
|
|
const WindowsOSType = "windows"
|
|
|
|
const DefaultOSType = UnixOSType
|
|
|
|
|
|
|
|
type guestOSTypeCommand struct {
|
|
|
|
chmod string
|
|
|
|
mkdir string
|
|
|
|
removeDir string
|
|
|
|
}
|
|
|
|
|
|
|
|
var guestOSTypeCommands = map[string]guestOSTypeCommand{
|
2016-11-01 17:08:04 -04:00
|
|
|
UnixOSType: {
|
2015-08-19 13:38:31 -04:00
|
|
|
chmod: "chmod %s '%s'",
|
|
|
|
mkdir: "mkdir -p '%s'",
|
|
|
|
removeDir: "rm -rf '%s'",
|
|
|
|
},
|
2016-11-01 17:08:04 -04:00
|
|
|
WindowsOSType: {
|
2015-08-19 13:38:31 -04:00
|
|
|
chmod: "echo 'skipping chmod %s %s'", // no-op
|
2015-08-20 16:25:27 -04:00
|
|
|
mkdir: "powershell.exe -Command \"New-Item -ItemType directory -Force -ErrorAction SilentlyContinue -Path %s\"",
|
|
|
|
removeDir: "powershell.exe -Command \"rm %s -recurse -force\"",
|
2015-08-19 13:38:31 -04:00
|
|
|
},
|
|
|
|
}
|
|
|
|
|
|
|
|
type GuestCommands struct {
|
|
|
|
GuestOSType string
|
|
|
|
Sudo bool
|
|
|
|
}
|
|
|
|
|
|
|
|
func NewGuestCommands(osType string, sudo bool) (*GuestCommands, error) {
|
|
|
|
_, ok := guestOSTypeCommands[osType]
|
|
|
|
if !ok {
|
|
|
|
return nil, fmt.Errorf("Invalid osType: \"%s\"", osType)
|
|
|
|
}
|
|
|
|
return &GuestCommands{GuestOSType: osType, Sudo: sudo}, nil
|
|
|
|
}
|
|
|
|
|
|
|
|
func (g *GuestCommands) Chmod(path string, mode string) string {
|
|
|
|
return g.sudo(fmt.Sprintf(g.commands().chmod, mode, g.escapePath(path)))
|
|
|
|
}
|
|
|
|
|
|
|
|
func (g *GuestCommands) CreateDir(path string) string {
|
|
|
|
return g.sudo(fmt.Sprintf(g.commands().mkdir, g.escapePath(path)))
|
|
|
|
}
|
|
|
|
|
|
|
|
func (g *GuestCommands) RemoveDir(path string) string {
|
|
|
|
return g.sudo(fmt.Sprintf(g.commands().removeDir, g.escapePath(path)))
|
|
|
|
}
|
|
|
|
|
|
|
|
func (g *GuestCommands) commands() guestOSTypeCommand {
|
|
|
|
return guestOSTypeCommands[g.GuestOSType]
|
|
|
|
}
|
|
|
|
|
|
|
|
func (g *GuestCommands) escapePath(path string) string {
|
|
|
|
if g.GuestOSType == WindowsOSType {
|
|
|
|
return strings.Replace(path, " ", "` ", -1)
|
|
|
|
}
|
|
|
|
return path
|
|
|
|
}
|
|
|
|
|
|
|
|
func (g *GuestCommands) sudo(cmd string) string {
|
|
|
|
if g.GuestOSType == UnixOSType && g.Sudo {
|
|
|
|
return "sudo " + cmd
|
|
|
|
}
|
|
|
|
return cmd
|
2016-02-08 20:34:06 -05:00
|
|
|
}
|