builder/vmware/{iso,vmx}: Added the specific configuration options that get parsed. Normalize paths when pulling them from the json template so that they'll work on Windows too. Added some improved error checking when parsing these options. Stash the vm's network connection type so that other steps can figure out addressing information Modified the esx5 driver to support the new addressing logic. Modified the template in step_create_vmx to include the new options. builder/vmware/common: Implemented a parser for vmware's configuration files to the vmware builder. Modified the driver's interface to include support for resolving both guest/host hw and ip addresses Implemented a base structure with some methods that implement these features. Rewrote all ip and mac address dependent code to utilize these new methods. Removed host_ip and guest_ip due to their logic being moved directly into a base-structure used by each driver. The code was explicitly checking runtime.GOOS instead of portably using net.Interfaces() anyways. Updated driver_mock to support the new addressing methods
564 lines
13 KiB
Go
564 lines
13 KiB
Go
package iso
|
|
|
|
import (
|
|
"bufio"
|
|
"bytes"
|
|
"encoding/csv"
|
|
"errors"
|
|
"fmt"
|
|
"io"
|
|
"log"
|
|
"net"
|
|
"os"
|
|
"path/filepath"
|
|
"strings"
|
|
"time"
|
|
|
|
commonssh "github.com/hashicorp/packer/common/ssh"
|
|
"github.com/hashicorp/packer/communicator/ssh"
|
|
"github.com/hashicorp/packer/helper/multistep"
|
|
"github.com/hashicorp/packer/packer"
|
|
"github.com/mitchellh/multistep"
|
|
vmwcommon "github.com/mitchellh/packer/builder/vmware/common"
|
|
gossh "golang.org/x/crypto/ssh"
|
|
)
|
|
|
|
// ESX5 driver talks to an ESXi5 hypervisor remotely over SSH to build
|
|
// virtual machines. This driver can only manage one machine at a time.
|
|
type ESX5Driver struct {
|
|
vmwcommon.VmwareDriver
|
|
|
|
Host string
|
|
Port uint
|
|
Username string
|
|
Password string
|
|
PrivateKey string
|
|
Datastore string
|
|
CacheDatastore string
|
|
CacheDirectory string
|
|
|
|
comm packer.Communicator
|
|
outputDir string
|
|
vmId string
|
|
}
|
|
|
|
func (d *ESX5Driver) Clone(dst, src string) error {
|
|
return errors.New("Cloning is not supported with the ESX driver.")
|
|
}
|
|
|
|
func (d *ESX5Driver) CompactDisk(diskPathLocal string) error {
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) CreateDisk(diskPathLocal string, size string, typeId string) error {
|
|
diskPath := d.datastorePath(diskPathLocal)
|
|
return d.sh("vmkfstools", "-c", size, "-d", typeId, "-a", "lsilogic", diskPath)
|
|
}
|
|
|
|
func (d *ESX5Driver) IsRunning(string) (bool, error) {
|
|
state, err := d.run(nil, "vim-cmd", "vmsvc/power.getstate", d.vmId)
|
|
if err != nil {
|
|
return false, err
|
|
}
|
|
return strings.Contains(state, "Powered on"), nil
|
|
}
|
|
|
|
func (d *ESX5Driver) ReloadVM() error {
|
|
return d.sh("vim-cmd", "vmsvc/reload", d.vmId)
|
|
}
|
|
|
|
func (d *ESX5Driver) Start(vmxPathLocal string, headless bool) error {
|
|
for i := 0; i < 20; i++ {
|
|
//intentionally not checking for error since poweron may fail specially after initial VM registration
|
|
d.sh("vim-cmd", "vmsvc/power.on", d.vmId)
|
|
time.Sleep((time.Duration(i) * time.Second) + 1)
|
|
running, err := d.IsRunning(vmxPathLocal)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
if running {
|
|
return nil
|
|
}
|
|
}
|
|
return errors.New("Retry limit exceeded")
|
|
}
|
|
|
|
func (d *ESX5Driver) Stop(vmxPathLocal string) error {
|
|
return d.sh("vim-cmd", "vmsvc/power.off", d.vmId)
|
|
}
|
|
|
|
func (d *ESX5Driver) Register(vmxPathLocal string) error {
|
|
vmxPath := filepath.ToSlash(filepath.Join(d.outputDir, filepath.Base(vmxPathLocal)))
|
|
if err := d.upload(vmxPath, vmxPathLocal); err != nil {
|
|
return err
|
|
}
|
|
r, err := d.run(nil, "vim-cmd", "solo/registervm", vmxPath)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
d.vmId = strings.TrimRight(r, "\n")
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) SuppressMessages(vmxPath string) error {
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) Unregister(vmxPathLocal string) error {
|
|
return d.sh("vim-cmd", "vmsvc/unregister", d.vmId)
|
|
}
|
|
|
|
func (d *ESX5Driver) Destroy() error {
|
|
return d.sh("vim-cmd", "vmsvc/destroy", d.vmId)
|
|
}
|
|
|
|
func (d *ESX5Driver) IsDestroyed() (bool, error) {
|
|
err := d.sh("test", "!", "-e", d.outputDir)
|
|
if err != nil {
|
|
return false, err
|
|
}
|
|
return true, err
|
|
}
|
|
|
|
func (d *ESX5Driver) UploadISO(localPath string, checksum string, checksumType string) (string, error) {
|
|
finalPath := d.cachePath(localPath)
|
|
if err := d.mkdir(filepath.ToSlash(filepath.Dir(finalPath))); err != nil {
|
|
return "", err
|
|
}
|
|
|
|
log.Printf("Verifying checksum of %s", finalPath)
|
|
if d.verifyChecksum(checksumType, checksum, finalPath) {
|
|
log.Println("Initial checksum matched, no upload needed.")
|
|
return finalPath, nil
|
|
}
|
|
|
|
if err := d.upload(finalPath, localPath); err != nil {
|
|
return "", err
|
|
}
|
|
|
|
return finalPath, nil
|
|
}
|
|
|
|
func (d *ESX5Driver) ToolsIsoPath(string) string {
|
|
return ""
|
|
}
|
|
|
|
func (d *ESX5Driver) ToolsInstall() error {
|
|
return d.sh("vim-cmd", "vmsvc/tools.install", d.vmId)
|
|
}
|
|
|
|
func (d *ESX5Driver) Verify() error {
|
|
checks := []func() error{
|
|
d.connect,
|
|
d.checkSystemVersion,
|
|
d.checkGuestIPHackEnabled,
|
|
}
|
|
|
|
for _, check := range checks {
|
|
if err := check(); err != nil {
|
|
return err
|
|
}
|
|
}
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) HostIP(multistep.StateBag) (string, error) {
|
|
conn, err := net.Dial("tcp", fmt.Sprintf("%s:%d", d.Host, d.Port))
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
defer conn.Close()
|
|
|
|
host, _, err := net.SplitHostPort(conn.LocalAddr().String())
|
|
return host, err
|
|
}
|
|
|
|
func (d *ESX5Driver) VNCAddress(_ string, portMin, portMax uint) (string, uint, error) {
|
|
var vncPort uint
|
|
|
|
//Process ports ESXi is listening on to determine which are available
|
|
//This process does best effort to detect ports that are unavailable,
|
|
//it will ignore any ports listened to by only localhost
|
|
r, err := d.esxcli("network", "ip", "connection", "list")
|
|
if err != nil {
|
|
err = fmt.Errorf("Could not retrieve network information for ESXi: %v", err)
|
|
return "", 0, err
|
|
}
|
|
|
|
listenPorts := make(map[string]bool)
|
|
for record, err := r.read(); record != nil && err == nil; record, err = r.read() {
|
|
if record["State"] == "LISTEN" {
|
|
splitAddress := strings.Split(record["LocalAddress"], ":")
|
|
if splitAddress[0] != "127.0.0.1" {
|
|
port := splitAddress[len(splitAddress)-1]
|
|
log.Printf("ESXi listening on address %s, port %s unavailable for VNC", record["LocalAddress"], port)
|
|
listenPorts[port] = true
|
|
}
|
|
}
|
|
}
|
|
|
|
vncTimeout := time.Duration(15 * time.Second)
|
|
envTimeout := os.Getenv("PACKER_ESXI_VNC_PROBE_TIMEOUT")
|
|
if envTimeout != "" {
|
|
if parsedTimeout, err := time.ParseDuration(envTimeout); err != nil {
|
|
log.Printf("Error parsing PACKER_ESXI_VNC_PROBE_TIMEOUT. Falling back to default (15s). %s", err)
|
|
} else {
|
|
vncTimeout = parsedTimeout
|
|
}
|
|
}
|
|
|
|
for port := portMin; port <= portMax; port++ {
|
|
if _, ok := listenPorts[fmt.Sprintf("%d", port)]; ok {
|
|
log.Printf("Port %d in use", port)
|
|
continue
|
|
}
|
|
address := fmt.Sprintf("%s:%d", d.Host, port)
|
|
log.Printf("Trying address: %s...", address)
|
|
l, err := net.DialTimeout("tcp", address, vncTimeout)
|
|
|
|
if err != nil {
|
|
if e, ok := err.(*net.OpError); ok {
|
|
if e.Timeout() {
|
|
log.Printf("Timeout connecting to: %s (check firewall rules)", address)
|
|
} else {
|
|
vncPort = port
|
|
break
|
|
}
|
|
}
|
|
} else {
|
|
defer l.Close()
|
|
}
|
|
}
|
|
|
|
if vncPort == 0 {
|
|
err := fmt.Errorf("Unable to find available VNC port between %d and %d",
|
|
portMin, portMax)
|
|
return d.Host, vncPort, err
|
|
}
|
|
|
|
return d.Host, vncPort, nil
|
|
}
|
|
|
|
// UpdateVMX, adds the VNC port to the VMX data.
|
|
func (ESX5Driver) UpdateVMX(_, password string, port uint, data map[string]string) {
|
|
// Do not set remotedisplay.vnc.ip - this breaks ESXi.
|
|
data["remotedisplay.vnc.enabled"] = "TRUE"
|
|
data["remotedisplay.vnc.port"] = fmt.Sprintf("%d", port)
|
|
if len(password) > 0 {
|
|
data["remotedisplay.vnc.password"] = password
|
|
}
|
|
}
|
|
|
|
func (d *ESX5Driver) CommHost(state multistep.StateBag) (string, error) {
|
|
config := state.Get("config").(*Config)
|
|
sshc := config.SSHConfig.Comm
|
|
port := sshc.SSHPort
|
|
if sshc.Type == "winrm" {
|
|
port = sshc.WinRMPort
|
|
}
|
|
|
|
if address := config.CommConfig.Host(); address != "" {
|
|
return address, nil
|
|
}
|
|
|
|
r, err := d.esxcli("network", "vm", "list")
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
|
|
record, err := r.find("Name", config.VMName)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
wid := record["WorldID"]
|
|
if wid == "" {
|
|
return "", errors.New("VM WorldID not found")
|
|
}
|
|
|
|
r, err = d.esxcli("network", "vm", "port", "list", "-w", wid)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
|
|
// Loop through interfaces
|
|
for {
|
|
record, err = r.read()
|
|
if err == io.EOF {
|
|
break
|
|
}
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
|
|
if record["IPAddress"] == "0.0.0.0" {
|
|
continue
|
|
}
|
|
// When multiple NICs are connected to the same network, choose
|
|
// one that has a route back. This Dial should ensure that.
|
|
conn, err := net.DialTimeout("tcp", fmt.Sprintf("%s:%d", record["IPAddress"], port), 2*time.Second)
|
|
if err != nil {
|
|
if e, ok := err.(*net.OpError); ok {
|
|
if e.Timeout() {
|
|
log.Printf("Timeout connecting to %s", record["IPAddress"])
|
|
continue
|
|
} else if strings.Contains(e.Error(), "connection refused") {
|
|
log.Printf("Connection refused when connecting to: %s", record["IPAddress"])
|
|
continue
|
|
}
|
|
}
|
|
} else {
|
|
defer conn.Close()
|
|
address := record["IPAddress"]
|
|
return address, nil
|
|
}
|
|
}
|
|
return "", errors.New("No interface on the VM has an IP address ready")
|
|
}
|
|
|
|
//-------------------------------------------------------------------
|
|
// OutputDir implementation
|
|
//-------------------------------------------------------------------
|
|
|
|
func (d *ESX5Driver) DirExists() (bool, error) {
|
|
err := d.sh("test", "-e", d.outputDir)
|
|
return err == nil, nil
|
|
}
|
|
|
|
func (d *ESX5Driver) ListFiles() ([]string, error) {
|
|
stdout, err := d.ssh("ls -1p "+d.outputDir, nil)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
files := make([]string, 0, 10)
|
|
reader := bufio.NewReader(stdout)
|
|
for {
|
|
line, _, err := reader.ReadLine()
|
|
if err == io.EOF {
|
|
break
|
|
}
|
|
if line[len(line)-1] == '/' {
|
|
continue
|
|
}
|
|
|
|
files = append(files, filepath.ToSlash(filepath.Join(d.outputDir, string(line))))
|
|
}
|
|
|
|
return files, nil
|
|
}
|
|
|
|
func (d *ESX5Driver) MkdirAll() error {
|
|
return d.mkdir(d.outputDir)
|
|
}
|
|
|
|
func (d *ESX5Driver) Remove(path string) error {
|
|
return d.sh("rm", path)
|
|
}
|
|
|
|
func (d *ESX5Driver) RemoveAll() error {
|
|
return d.sh("rm", "-rf", d.outputDir)
|
|
}
|
|
|
|
func (d *ESX5Driver) SetOutputDir(path string) {
|
|
d.outputDir = d.datastorePath(path)
|
|
}
|
|
|
|
func (d *ESX5Driver) String() string {
|
|
return d.outputDir
|
|
}
|
|
|
|
func (d *ESX5Driver) datastorePath(path string) string {
|
|
dirPath := filepath.Dir(path)
|
|
return filepath.ToSlash(filepath.Join("/vmfs/volumes", d.Datastore, dirPath, filepath.Base(path)))
|
|
}
|
|
|
|
func (d *ESX5Driver) cachePath(path string) string {
|
|
return filepath.ToSlash(filepath.Join("/vmfs/volumes", d.CacheDatastore, d.CacheDirectory, filepath.Base(path)))
|
|
}
|
|
|
|
func (d *ESX5Driver) connect() error {
|
|
address := fmt.Sprintf("%s:%d", d.Host, d.Port)
|
|
|
|
auth := []gossh.AuthMethod{
|
|
gossh.Password(d.Password),
|
|
gossh.KeyboardInteractive(
|
|
ssh.PasswordKeyboardInteractive(d.Password)),
|
|
}
|
|
|
|
if d.PrivateKey != "" {
|
|
signer, err := commonssh.FileSigner(d.PrivateKey)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
auth = append(auth, gossh.PublicKeys(signer))
|
|
}
|
|
|
|
sshConfig := &ssh.Config{
|
|
Connection: ssh.ConnectFunc("tcp", address),
|
|
SSHConfig: &gossh.ClientConfig{
|
|
User: d.Username,
|
|
Auth: auth,
|
|
HostKeyCallback: gossh.InsecureIgnoreHostKey(),
|
|
},
|
|
}
|
|
|
|
comm, err := ssh.New(address, sshConfig)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
d.comm = comm
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) checkSystemVersion() error {
|
|
r, err := d.esxcli("system", "version", "get")
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
record, err := r.read()
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
log.Printf("Connected to %s %s %s", record["Product"],
|
|
record["Version"], record["Build"])
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) checkGuestIPHackEnabled() error {
|
|
r, err := d.esxcli("system", "settings", "advanced", "list", "-o", "/Net/GuestIPHack")
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
record, err := r.read()
|
|
if err != nil {
|
|
return err
|
|
}
|
|
|
|
if record["IntValue"] != "1" {
|
|
return errors.New(
|
|
"GuestIPHack is required, enable by running this on the ESX machine:\n" +
|
|
"esxcli system settings advanced set -o /Net/GuestIPHack -i 1")
|
|
}
|
|
|
|
return nil
|
|
}
|
|
|
|
func (d *ESX5Driver) mkdir(path string) error {
|
|
return d.sh("mkdir", "-p", path)
|
|
}
|
|
|
|
func (d *ESX5Driver) upload(dst, src string) error {
|
|
f, err := os.Open(src)
|
|
if err != nil {
|
|
return err
|
|
}
|
|
defer f.Close()
|
|
return d.comm.Upload(dst, f, nil)
|
|
}
|
|
|
|
func (d *ESX5Driver) verifyChecksum(ctype string, hash string, file string) bool {
|
|
if ctype == "none" {
|
|
if err := d.sh("stat", file); err != nil {
|
|
return false
|
|
}
|
|
} else {
|
|
stdin := bytes.NewBufferString(fmt.Sprintf("%s %s", hash, file))
|
|
_, err := d.run(stdin, fmt.Sprintf("%ssum", ctype), "-c")
|
|
if err != nil {
|
|
return false
|
|
}
|
|
}
|
|
|
|
return true
|
|
}
|
|
|
|
func (d *ESX5Driver) ssh(command string, stdin io.Reader) (*bytes.Buffer, error) {
|
|
var stdout, stderr bytes.Buffer
|
|
|
|
cmd := &packer.RemoteCmd{
|
|
Command: command,
|
|
Stdout: &stdout,
|
|
Stderr: &stderr,
|
|
Stdin: stdin,
|
|
}
|
|
|
|
err := d.comm.Start(cmd)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
cmd.Wait()
|
|
|
|
if cmd.ExitStatus != 0 {
|
|
err = fmt.Errorf("'%s'\n\nStdout: %s\n\nStderr: %s",
|
|
cmd.Command, stdout.String(), stderr.String())
|
|
return nil, err
|
|
}
|
|
|
|
return &stdout, nil
|
|
}
|
|
|
|
func (d *ESX5Driver) run(stdin io.Reader, args ...string) (string, error) {
|
|
stdout, err := d.ssh(strings.Join(args, " "), stdin)
|
|
if err != nil {
|
|
return "", err
|
|
}
|
|
return stdout.String(), nil
|
|
}
|
|
|
|
func (d *ESX5Driver) sh(args ...string) error {
|
|
_, err := d.run(nil, args...)
|
|
return err
|
|
}
|
|
|
|
func (d *ESX5Driver) esxcli(args ...string) (*esxcliReader, error) {
|
|
stdout, err := d.ssh("esxcli --formatter csv "+strings.Join(args, " "), nil)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
r := csv.NewReader(bytes.NewReader(stdout.Bytes()))
|
|
r.TrailingComma = true
|
|
header, err := r.Read()
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
return &esxcliReader{r, header}, nil
|
|
}
|
|
|
|
type esxcliReader struct {
|
|
cr *csv.Reader
|
|
header []string
|
|
}
|
|
|
|
func (r *esxcliReader) read() (map[string]string, error) {
|
|
fields, err := r.cr.Read()
|
|
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
|
|
record := map[string]string{}
|
|
for i, v := range fields {
|
|
record[r.header[i]] = v
|
|
}
|
|
|
|
return record, nil
|
|
}
|
|
|
|
func (r *esxcliReader) find(key, val string) (map[string]string, error) {
|
|
for {
|
|
record, err := r.read()
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
if record[key] == val {
|
|
return record, nil
|
|
}
|
|
}
|
|
}
|