packer-cn/packer/plugin/plugin.go

101 lines
2.4 KiB
Go
Raw Normal View History

2013-05-07 22:50:34 -04:00
// The plugin package provides the functionality to both expose a Packer
// plugin binary and to connect to an existing Packer plugin binary.
//
// Packer supports plugins in the form of self-contained external static
// Go binaries. These binaries behave in a certain way (enforced by this
// package) and are connected to in a certain way (also enforced by this
// package).
2013-05-05 00:26:30 -04:00
package plugin
import (
"fmt"
"github.com/mitchellh/packer/packer"
"log"
"net"
"net/rpc"
2013-05-05 00:26:30 -04:00
"os"
packrpc "github.com/mitchellh/packer/packer/rpc"
"strconv"
"strings"
2013-05-05 00:26:30 -04:00
)
// This serves a single RPC connection on the given RPC server on
// a random port.
func serve(server *rpc.Server) (err error) {
minPort, err := strconv.ParseInt(os.Getenv("PACKER_PLUGIN_MIN_PORT"), 10, 32)
if err != nil {
return
}
maxPort, err := strconv.ParseInt(os.Getenv("PACKER_PLUGIN_MAX_PORT"), 10, 32)
if err != nil {
return
}
log.Printf("Plugin minimum port: %d\n", minPort)
log.Printf("Plugin maximum port: %d\n", maxPort)
var address string
var listener net.Listener
for port := minPort; port <= maxPort; port++ {
address = fmt.Sprintf(":%d", port)
listener, err = net.Listen("tcp", address)
if err != nil {
if !strings.Contains(err.Error(), "address already in use") {
// Not an address already in use error, return.
return
} else {
// Address is in use, just try another
err = nil
continue
}
}
break
}
defer listener.Close()
2013-05-05 00:26:30 -04:00
// Output the address to stdout
log.Printf("Plugin address: %s\n", address)
fmt.Println(address)
2013-05-05 00:26:30 -04:00
os.Stdout.Sync()
// Accept a connection
log.Println("Waiting for connection...")
conn, err := listener.Accept()
if err != nil {
log.Printf("Error accepting connection: %s\n", err.Error())
return
}
// Serve a single connection
log.Println("Serving a plugin connection...")
server.ServeConn(conn)
return
2013-05-05 00:26:30 -04:00
}
// Serves a builder from a plugin.
func ServeBuilder(builder packer.Builder) {
log.Println("Preparing to serve a builder plugin...")
server := rpc.NewServer()
packrpc.RegisterBuilder(server, builder)
if err := serve(server); err != nil {
log.Panic(err)
}
}
// Serves a command from a plugin.
2013-05-05 00:26:30 -04:00
func ServeCommand(command packer.Command) {
log.Println("Preparing to serve a command plugin...")
server := rpc.NewServer()
packrpc.RegisterCommand(server, command)
if err := serve(server); err != nil {
log.Panic(err)
}
2013-05-05 00:26:30 -04:00
}