diff --git a/Godeps/Godeps.json b/Godeps/Godeps.json
deleted file mode 100644
index 59c2857..0000000
--- a/Godeps/Godeps.json
+++ /dev/null
@@ -1,47 +0,0 @@
-{
-	"ImportPath": "github.com/gopherds/gophernotes",
-	"GoVersion": "go1.6",
-	"GodepVersion": "v74",
-	"Packages": [
-		"./..."
-	],
-	"Deps": [
-		{
-			"ImportPath": "github.com/alecthomas/gozmq",
-			"Rev": "d1b01a2df6b2c64f03fecaeabea541963fc4749f"
-		},
-		{
-			"ImportPath": "github.com/davecgh/go-spew/spew",
-			"Rev": "5215b55f46b2b919f50a1df0eaa5886afe4e3b3d"
-		},
-		{
-			"ImportPath": "github.com/mitchellh/go-homedir",
-			"Rev": "d682a8f0cf139663a984ff12528da460ca963de9"
-		},
-		{
-			"ImportPath": "github.com/motemen/go-quickfix",
-			"Rev": "5c522febc6796f9c2ceabf9374a75490e2d268da"
-		},
-		{
-			"ImportPath": "github.com/nu7hatch/gouuid",
-			"Rev": "179d4d0c4d8d407a32af483c2354df1d2c91e6c3"
-		},
-		{
-			"ImportPath": "github.com/pmezard/go-difflib/difflib",
-			"Rev": "792786c7400a136282c1664665ae0a8db921c6c2"
-		},
-		{
-			"ImportPath": "github.com/stretchr/testify/assert",
-			"Comment": "v1.1.3",
-			"Rev": "f390dcf405f7b83c997eac1b06768bb9f44dec18"
-		},
-		{
-			"ImportPath": "golang.org/x/tools/go/ast/astutil",
-			"Rev": "ed69e84b1518b5857a9f4e01d1f9cefdcc45246e"
-		},
-		{
-			"ImportPath": "golang.org/x/tools/imports",
-			"Rev": "ed69e84b1518b5857a9f4e01d1f9cefdcc45246e"
-		}
-	]
-}
diff --git a/Godeps/Readme b/Godeps/Readme
deleted file mode 100644
index 4cdaa53..0000000
--- a/Godeps/Readme
+++ /dev/null
@@ -1,5 +0,0 @@
-This directory tree is generated automatically by godep.
-
-Please do not edit.
-
-See https://github.com/tools/godep for more information.
diff --git a/execution.go b/execution.go
deleted file mode 100644
index 5ac8254..0000000
--- a/execution.go
+++ /dev/null
@@ -1,93 +0,0 @@
-package main
-
-import (
-	"fmt"
-	"go/token"
-
-	repl "github.com/gopherds/gophernotes/internal/repl"
-)
-
-var (
-	// REPLSession manages the I/O to/from the notebook.
-	REPLSession *repl.Session
-	fset        *token.FileSet
-)
-
-// ExecCounter is incremented each time we run user code in the notebook.
-var ExecCounter int
-
-// SetupExecutionEnvironment initializes the REPL session and set of tmp files.
-func SetupExecutionEnvironment() {
-
-	var err error
-	REPLSession, err = repl.NewSession()
-	if err != nil {
-		panic(err)
-	}
-
-	fset = token.NewFileSet()
-}
-
-// OutputMsg holds the data for a pyout message.
-type OutputMsg struct {
-	Execcount int                    `json:"execution_count"`
-	Data      map[string]string      `json:"data"`
-	Metadata  map[string]interface{} `json:"metadata"`
-}
-
-// ErrMsg encodes the traceback of errors output to the notebook.
-type ErrMsg struct {
-	EName     string   `json:"ename"`
-	EValue    string   `json:"evalue"`
-	Traceback []string `json:"traceback"`
-}
-
-// HandleExecuteRequest runs code from an execute_request method, and sends the various
-// reply messages.
-func HandleExecuteRequest(receipt MsgReceipt) {
-
-	reply := NewMsg("execute_reply", receipt.Msg)
-	content := make(map[string]interface{})
-	reqcontent := receipt.Msg.Content.(map[string]interface{})
-	code := reqcontent["code"].(string)
-	silent := reqcontent["silent"].(bool)
-	if !silent {
-		ExecCounter++
-	}
-	content["execution_count"] = ExecCounter
-
-	// Do the compilation/execution magic.
-	val, stderr, err := REPLSession.Eval(code)
-
-	if err == nil {
-		content["status"] = "ok"
-		content["payload"] = make([]map[string]interface{}, 0)
-		content["user_variables"] = make(map[string]string)
-		content["user_expressions"] = make(map[string]string)
-		if len(val) > 0 && !silent {
-			var outContent OutputMsg
-			out := NewMsg("pyout", receipt.Msg)
-			outContent.Execcount = ExecCounter
-			outContent.Data = make(map[string]string)
-			outContent.Data["text/plain"] = fmt.Sprint(val)
-			outContent.Metadata = make(map[string]interface{})
-			out.Content = outContent
-			receipt.SendResponse(receipt.Sockets.IOPubSocket, out)
-		}
-	} else {
-		content["status"] = "error"
-		content["ename"] = "ERROR"
-		content["evalue"] = err.Error()
-		content["traceback"] = []string{stderr.String()}
-		errormsg := NewMsg("pyerr", receipt.Msg)
-		errormsg.Content = ErrMsg{"Error", err.Error(), []string{stderr.String()}}
-		receipt.SendResponse(receipt.Sockets.IOPubSocket, errormsg)
-	}
-
-	// send the output back to the notebook
-	reply.Content = content
-	receipt.SendResponse(receipt.Sockets.ShellSocket, reply)
-	idle := NewMsg("status", receipt.Msg)
-	idle.Content = KernelStatus{"idle"}
-	receipt.SendResponse(receipt.Sockets.IOPubSocket, idle)
-}
diff --git a/gophernotes.go b/gophernotes.go
deleted file mode 100644
index 9230428..0000000
--- a/gophernotes.go
+++ /dev/null
@@ -1,211 +0,0 @@
-package main
-
-import (
-	"encoding/json"
-	"fmt"
-	"io"
-	"io/ioutil"
-	"log"
-	"os"
-
-	zmq "github.com/alecthomas/gozmq"
-	"github.com/pkg/errors"
-)
-
-var logger *log.Logger
-
-// ConnectionInfo stores the contents of the kernel connection file created by Jupyter.
-type ConnectionInfo struct {
-	SignatureScheme string `json:"signature_scheme"`
-	Transport       string `json:"transport"`
-	StdinPort       int    `json:"stdin_port"`
-	ControlPort     int    `json:"control_port"`
-	IOPubPort       int    `json:"iopub_port"`
-	HBPort          int    `json:"hb_port"`
-	ShellPort       int    `json:"shell_port"`
-	Key             string `json:"key"`
-	IP              string `json:"ip"`
-}
-
-// SocketGroup holds the sockets needed to communicate with the kernel, and
-// the key for message signing.
-type SocketGroup struct {
-	ShellSocket   *zmq.Socket
-	ControlSocket *zmq.Socket
-	StdinSocket   *zmq.Socket
-	IOPubSocket   *zmq.Socket
-	Key           []byte
-}
-
-// PrepareSockets sets up the ZMQ sockets through which the kernel will communicate.
-func PrepareSockets(connInfo ConnectionInfo) (SocketGroup, error) {
-
-	// Initialize the Socket Group.
-	context, sg, err := createSockets()
-	if err != nil {
-		return sg, errors.Wrap(err, "Could not initialize context and Socket Group")
-	}
-
-	// Bind the sockets.
-	address := fmt.Sprintf("%v://%v:%%v", connInfo.Transport, connInfo.IP)
-	sg.ShellSocket.Bind(fmt.Sprintf(address, connInfo.ShellPort))
-	sg.ControlSocket.Bind(fmt.Sprintf(address, connInfo.ControlPort))
-	sg.StdinSocket.Bind(fmt.Sprintf(address, connInfo.StdinPort))
-	sg.IOPubSocket.Bind(fmt.Sprintf(address, connInfo.IOPubPort))
-
-	// Message signing key
-	sg.Key = []byte(connInfo.Key)
-
-	// Start the heartbeat device
-	HBSocket, err := context.NewSocket(zmq.REP)
-	if err != nil {
-		return sg, errors.Wrap(err, "Could not get the Heartbeat device socket")
-	}
-	HBSocket.Bind(fmt.Sprintf(address, connInfo.HBPort))
-	go zmq.Device(zmq.FORWARDER, HBSocket, HBSocket)
-
-	return sg, nil
-}
-
-// createSockets initializes the sockets for the socket group based on values from zmq.
-func createSockets() (*zmq.Context, SocketGroup, error) {
-
-	context, err := zmq.NewContext()
-	if err != nil {
-		return context, SocketGroup{}, errors.Wrap(err, "Could not create zmq Context")
-	}
-
-	var sg SocketGroup
-	sg.ShellSocket, err = context.NewSocket(zmq.ROUTER)
-	if err != nil {
-		return context, sg, errors.Wrap(err, "Could not get Shell Socket")
-	}
-
-	sg.ControlSocket, err = context.NewSocket(zmq.ROUTER)
-	if err != nil {
-		return context, sg, errors.Wrap(err, "Could not get Control Socket")
-	}
-
-	sg.StdinSocket, err = context.NewSocket(zmq.ROUTER)
-	if err != nil {
-		return context, sg, errors.Wrap(err, "Could not get Stdin Socket")
-	}
-
-	sg.IOPubSocket, err = context.NewSocket(zmq.PUB)
-	if err != nil {
-		return context, sg, errors.Wrap(err, "Could not get IOPub Socket")
-	}
-
-	return context, sg, nil
-}
-
-// HandleShellMsg responds to a message on the shell ROUTER socket.
-func HandleShellMsg(receipt MsgReceipt) {
-	switch receipt.Msg.Header.MsgType {
-	case "kernel_info_request":
-		SendKernelInfo(receipt)
-	case "execute_request":
-		HandleExecuteRequest(receipt)
-	case "shutdown_request":
-		HandleShutdownRequest(receipt)
-	default:
-		logger.Println("Unhandled shell message:", receipt.Msg.Header.MsgType)
-	}
-}
-
-// KernelInfo holds information about the igo kernel, for kernel_info_reply messages.
-type KernelInfo struct {
-	ProtocolVersion []int  `json:"protocol_version"`
-	Language        string `json:"language"`
-}
-
-// KernelStatus holds a kernel state, for status broadcast messages.
-type KernelStatus struct {
-	ExecutionState string `json:"execution_state"`
-}
-
-// SendKernelInfo sends a kernel_info_reply message.
-func SendKernelInfo(receipt MsgReceipt) {
-	reply := NewMsg("kernel_info_reply", receipt.Msg)
-	reply.Content = KernelInfo{[]int{4, 0}, "go"}
-	receipt.SendResponse(receipt.Sockets.ShellSocket, reply)
-}
-
-// ShutdownReply encodes a boolean indication of stutdown/restart
-type ShutdownReply struct {
-	Restart bool `json:"restart"`
-}
-
-// HandleShutdownRequest sends a "shutdown" message
-func HandleShutdownRequest(receipt MsgReceipt) {
-	reply := NewMsg("shutdown_reply", receipt.Msg)
-	content := receipt.Msg.Content.(map[string]interface{})
-	restart := content["restart"].(bool)
-	reply.Content = ShutdownReply{restart}
-	receipt.SendResponse(receipt.Sockets.ShellSocket, reply)
-	logger.Println("Shutting down in response to shutdown_request")
-	os.Exit(0)
-}
-
-// RunKernel is the main entry point to start the kernel.
-func RunKernel(connectionFile string, logwriter io.Writer) {
-
-	logger = log.New(logwriter, "gophernotes ", log.LstdFlags)
-
-	// Set up the "Session" with the replpkg.
-	SetupExecutionEnvironment()
-
-	var connInfo ConnectionInfo
-	bs, err := ioutil.ReadFile(connectionFile)
-	if err != nil {
-		log.Fatalln(err)
-	}
-	if err = json.Unmarshal(bs, &connInfo); err != nil {
-		log.Fatalln(err)
-	}
-	logger.Printf("%+v\n", connInfo)
-
-	// Set up the ZMQ sockets through which the kernel will communicate.
-	sockets, err := PrepareSockets(connInfo)
-	if err != nil {
-		log.Fatalln(err)
-	}
-
-	pi := zmq.PollItems{
-		zmq.PollItem{Socket: sockets.ShellSocket, Events: zmq.POLLIN},
-		zmq.PollItem{Socket: sockets.StdinSocket, Events: zmq.POLLIN},
-		zmq.PollItem{Socket: sockets.ControlSocket, Events: zmq.POLLIN},
-	}
-
-	// Start a message receiving loop.
-	var msgparts [][]byte
-	for {
-		if _, err = zmq.Poll(pi, -1); err != nil {
-			log.Fatalln(err)
-		}
-		switch {
-		case pi[0].REvents&zmq.POLLIN != 0: // shell socket
-			msgparts, _ = pi[0].Socket.RecvMultipart(0)
-			msg, ids, err := WireMsgToComposedMsg(msgparts, sockets.Key)
-			if err != nil {
-				log.Println(err)
-				return
-			}
-			HandleShellMsg(MsgReceipt{msg, ids, sockets})
-		case pi[1].REvents&zmq.POLLIN != 0: // stdin socket - not implemented.
-			pi[1].Socket.RecvMultipart(0)
-		case pi[2].REvents&zmq.POLLIN != 0: // control socket - treat like shell socket.
-			msgparts, err = pi[2].Socket.RecvMultipart(0)
-			if err != nil {
-				log.Println(err)
-				return
-			}
-			msg, ids, err := WireMsgToComposedMsg(msgparts, sockets.Key)
-			if err != nil {
-				log.Println(err)
-				return
-			}
-			HandleShellMsg(MsgReceipt{msg, ids, sockets})
-		}
-	}
-}
diff --git a/gophernotes_test.go b/gophernotes_test.go
deleted file mode 100644
index 36d302f..0000000
--- a/gophernotes_test.go
+++ /dev/null
@@ -1,113 +0,0 @@
-package main
-
-import (
-	"testing"
-
-	repl "github.com/gopherds/gophernotes/internal/repl"
-	"github.com/stretchr/testify/assert"
-)
-
-// noError is a helper function for testing
-func noError(t *testing.T, err error) {
-	if err != nil {
-		t.Fatal(err)
-	}
-}
-
-// TestStub is a canary test to make sure testing and testify are good to go
-func TestStub(t *testing.T) {
-	assert.True(t, true, "This is good. Canary test passing")
-}
-
-// TestRun_import tests importing and use of a package
-func TestRun_import(t *testing.T) {
-	s, err := repl.NewSession()
-	noError(t, err)
-
-	codes := []string{
-		":import encoding/json",
-		"b, err := json.Marshal(nil)",
-		"string(b)",
-	}
-
-	for _, code := range codes {
-		_, _, err := s.Eval(code)
-		noError(t, err)
-	}
-}
-
-// TestRun_QuickFix_evaluated_but_not_used makes sure errors are not thrown for
-// evaluations of variables that aren't used
-func TestRun_QuickFix_evaluated_but_not_used(t *testing.T) {
-	s, err := repl.NewSession()
-	noError(t, err)
-
-	codes := []string{
-		`[]byte("")`,
-		`make([]int, 0)`,
-		`1+1`,
-		`func() {}`,
-		`(4 & (1 << 1))`,
-		`1`,
-	}
-
-	for _, code := range codes {
-		_, _, err := s.Eval(code)
-		noError(t, err)
-	}
-}
-
-// TestRun_QuickFix_used_as_value tests assignment of values to variables
-// and subsequent use
-func TestRun_QuickFix_used_as_value(t *testing.T) {
-	s, err := repl.NewSession()
-	noError(t, err)
-
-	codes := []string{
-		`:import log`,
-		`a := 1`,
-		`log.SetPrefix("")`,
-	}
-
-	for _, code := range codes {
-		_, _, err := s.Eval(code)
-		noError(t, err)
-	}
-}
-
-// TestRun_Copy tests a copy within the replpkg
-func TestRun_Copy(t *testing.T) {
-	s, err := repl.NewSession()
-	noError(t, err)
-
-	codes := []string{
-		`a := []string{"hello", "world"}`,
-		`b := []string{"goodbye", "world"}`,
-		`copy(a, b)`,
-		`if (a[0] != "goodbye") {
-			panic("should be copied")
-		}`,
-	}
-
-	for _, code := range codes {
-		_, _, err := s.Eval(code)
-		noError(t, err)
-	}
-}
-
-// TestRun_Const tests a constant within the replpkg
-func TestRun_Const(t *testing.T) {
-	s, err := repl.NewSession()
-	noError(t, err)
-
-	codes := []string{
-		`const ( a = iota; b )`,
-		`a`,
-		`b`,
-	}
-
-	for _, code := range codes {
-		_, _, err := s.Eval(code)
-		noError(t, err)
-	}
-}
diff --git a/internal/repl/commands.go b/internal/repl/commands.go
deleted file mode 100644
index 79c2413..0000000
--- a/internal/repl/commands.go
+++ /dev/null
@@ -1,375 +0,0 @@
-package replpkg
-
-import (
-	"fmt"
-	"io/ioutil"
-	"os"
-	"os/exec"
-	"path"
-	"path/filepath"
-	"runtime"
-	"strings"
-	"text/tabwriter"
-	"time"
-
-	"go/ast"
-	"go/build"
-	"go/importer"
-	"go/types"
-
-	"golang.org/x/tools/go/ast/astutil"
-)
-
-type command struct {
-	name     string
-	action   func(*Session, string) (string, error)
-	complete func(*Session, string) []string
-	arg      string
-	document string
-}
-
-// TODO
-// - :edit
-// - :undo
-// - :reset
-// - :type
-var commands []command
-
-func init() {
-	commands = []command{
-		{
-			name:     "import",
-			action:   actionImport,
-			complete: completeImport,
-			arg:      "<package>",
-			document: "import a package",
-		},
-		{
-			name:     "print",
-			action:   actionPrint,
-			document: "print current source",
-		},
-		{
-			name:     "write",
-			action:   actionWrite,
-			complete: nil, // TODO implement
-			arg:      "[<file>]",
-			document: "write out current source",
-		},
-		{
-			name:     "help",
-			action:   actionHelp,
-			document: "show this help",
-		},
-		{
-			name:     "quit",
-			action:   actionQuit,
-			document: "quit the session",
-		},
-		{
-			name:     "containerize",
-			action:   actionContainerize,
-			document: "containerize go binary",
-		},
-	}
-}
-
-func actionImport(s *Session, arg string) (string, error) {
-	if arg == "" {
-		return "", fmt.Errorf("arg required")
-	}
-
-	path := strings.Trim(arg, `"`)
-
-	// check if the package specified by path is importable
-	_, err := importer.Default().Import(path)
-	if err != nil {
-		return "", err
-	}
-
-	astutil.AddImport(s.Fset, s.File, path)
-
-	return "", nil
-}
-
-var gorootSrc = filepath.Join(filepath.Clean(runtime.GOROOT()), "src")
-
-func completeImport(s *Session, prefix string) []string {
-	result := []string{}
-	seen := map[string]bool{}
-
-	d, fn := path.Split(prefix)
-	for _, srcDir := range build.Default.SrcDirs() {
-		dir := filepath.Join(srcDir, d)
-
-		if fi, err := os.Stat(dir); err != nil || !fi.IsDir() {
-			if err != nil && !os.IsNotExist(err) {
-				errorf("Stat %s: %s", dir, err.Error())
-			}
-			continue
-		}
-
-		entries, err := ioutil.ReadDir(dir)
-		if err != nil {
-			errorf("ReadDir %s: %s", dir, err.Error())
-			continue
-		}
-		for _, fi := range entries {
-			if !fi.IsDir() {
-				continue
-			}
-
-			name := fi.Name()
-			if strings.HasPrefix(name, ".") || strings.HasPrefix(name, "_") || name == "testdata" {
-				continue
-			}
-
-			if strings.HasPrefix(name, fn) {
-				r := path.Join(d, name)
-				if srcDir != gorootSrc {
-					// append "/" if this directory is not a repository
-					// e.g. does not have VCS directory such as .git or .hg
-					// TODO: do not append "/" to subdirectories of repos
-					var isRepo bool
-					for _, vcsDir := range []string{".git", ".hg", ".svn", ".bzr"} {
-						_, err := os.Stat(filepath.Join(srcDir, filepath.FromSlash(r), vcsDir))
-						if err == nil {
-							isRepo = true
-							break
-						}
-					}
-					if !isRepo {
-						r = r + "/"
-					}
-				}
-
-				if !seen[r] {
-					result = append(result, r)
-					seen[r] = true
-				}
-			}
-		}
-	}
-
-	return result
-}
-
-func actionPrint(s *Session, _ string) (string, error) {
-	source, err := s.source(true)
-
-	if err == nil {
-		fmt.Println(source)
-	}
-
-	return source, err
-}
-
-func actionWrite(s *Session, filename string) (string, error) {
-	source, err := s.source(false)
-	if err != nil {
-		return "", err
-	}
-
-	if filename == "" {
-		filename = fmt.Sprintf("gore_session_%s.go", time.Now().Format("20060102_150405"))
-	}
-
-	err = ioutil.WriteFile(filename, []byte(source), 0644)
-	if err != nil {
-		return "", err
-	}
-
-	infof("Source wrote to %s", filename)
-
-	return "", nil
-}
-
-func actionDoc(s *Session, in string) (string, error) {
-	s.clearQuickFix()
-
-	s.storeMainBody()
-	defer s.restoreMainBody()
-
-	expr, err := s.evalExpr(in)
-	if err != nil {
-		return "", err
-	}
-
-	s.TypeInfo = types.Info{
-		Types:  make(map[ast.Expr]types.TypeAndValue),
-		Uses:   make(map[*ast.Ident]types.Object),
-		Defs:   make(map[*ast.Ident]types.Object),
-		Scopes: make(map[ast.Node]*types.Scope),
-	}
-	_, err = s.Types.Check("_tmp", s.Fset, []*ast.File{s.File}, &s.TypeInfo)
-	if err != nil {
-		debugf("typecheck error (ignored): %s", err)
-	}
-
-	// :doc patterns:
-	// - "json" -> "encoding/json" (package name)
-	// - "json.Encoder" -> "encoding/json", "Encoder" (package member)
-	// - "json.NewEncoder(nil).Encode" -> "encoding/json", "Decode" (package type member)
-	var docObj types.Object
-	if sel, ok := expr.(*ast.SelectorExpr); ok {
-		// package member, package type member
-		docObj = s.TypeInfo.ObjectOf(sel.Sel)
-	} else if t := s.TypeInfo.TypeOf(expr); t != nil && t != types.Typ[types.Invalid] {
-		for {
-			if pt, ok := t.(*types.Pointer); ok {
-				t = pt.Elem()
-			} else {
-				break
-			}
-		}
-		switch t := t.(type) {
-		case *types.Named:
-			docObj = t.Obj()
-		case *types.Basic:
-			// builtin types
-			docObj = types.Universe.Lookup(t.Name())
-		}
-	} else if ident, ok := expr.(*ast.Ident); ok {
-		// package name
-		mainScope := s.TypeInfo.Scopes[s.mainFunc().Type]
-		_, docObj = mainScope.LookupParent(ident.Name, ident.NamePos)
-	}
-
-	if docObj == nil {
-		return "", fmt.Errorf("cannot determine the document location")
-	}
-
-	debugf("doc :: obj=%#v", docObj)
-
-	var pkgPath, objName string
-	if pkgName, ok := docObj.(*types.PkgName); ok {
-		pkgPath = pkgName.Imported().Path()
-	} else {
-		if pkg := docObj.Pkg(); pkg != nil {
-			pkgPath = pkg.Path()
-		} else {
-			pkgPath = "builtin"
-		}
-		objName = docObj.Name()
-	}
-
-	debugf("doc :: %q %q", pkgPath, objName)
-
-	args := []string{pkgPath}
-	if objName != "" {
-		args = append(args, objName)
-	}
-
-	godoc := exec.Command("godoc", args...)
-	godoc.Stderr = os.Stderr
-
-	// TODO just use PAGER?
-	if pagerCmd := os.Getenv("GORE_PAGER"); pagerCmd != "" {
-		r, err := godoc.StdoutPipe()
-		if err != nil {
-			return "", err
-		}
-
-		pager := exec.Command(pagerCmd)
-		pager.Stdin = r
-		pager.Stdout = os.Stdout
-		pager.Stderr = os.Stderr
-
-		err = pager.Start()
-		if err != nil {
-			return "", err
-		}
-
-		err = godoc.Run()
-		if err != nil {
-			return "", err
-		}
-
-		return "", pager.Wait()
-	}
-
-	godoc.Stdout = os.Stdout
-	return "", godoc.Run()
-
-}
-
-func actionHelp(s *Session, _ string) (string, error) {
-	w := tabwriter.NewWriter(os.Stdout, 0, 8, 4, ' ', 0)
-	for _, command := range commands {
-		cmd := ":" + command.name
-		if command.arg != "" {
-			cmd = cmd + " " + command.arg
-		}
-		w.Write([]byte("    " + cmd + "\t" + command.document + "\n"))
-	}
-	w.Flush()
-
-	return "", nil
-}
-
-func actionQuit(s *Session, _ string) (string, error) {
-	return "", ErrQuit
-}
-
-func actionContainerize(s *Session, _ string) (string, error) {
-
-	// get the source code
-	source, err := s.source(true)
-	if err != nil {
-		return "", err
-	}
-
-	// create tmp directory in GOPATH
-	gopath := os.Getenv("GOPATH")
-	os.Mkdir(gopath+"/src/tmpcontainerize", 0777)
-
-	d := []byte(source)
-	err = ioutil.WriteFile(gopath+"/src/tmpcontainerize/containerize.go", d, 0777)
-	if err != nil {
-		return "", err
-	}
-
-	cmd := exec.Command("go", "install", "tmpcontainerize")
-	err = cmd.Run()
-	if err != nil {
-		panic(err)
-	}
-
-	// dockerize
-	dockerfile := `
-	FROM scratch
-	ADD tmpcontainerize /tmpcontainerize
-	CMD ["/tmpcontainerize"]
-	`
-	d = []byte(dockerfile)
-	err = ioutil.WriteFile(gopath+"/bin/Dockerfile", d, 0777)
-
-	out, err := exec.Command("uuidgen").Output()
-	containerid := string(out)
-	containerid = containerid[0 : len(containerid)-1]
-	if err != nil {
-		return "", err
-	}
-
-	fmt.Println("Dockerizing")
-	cmd = exec.Command("docker", "build", "-t", containerid, gopath+"/bin/")
-	err = cmd.Run()
-	if err != nil {
-		fmt.Println(err)
-		panic(err)
-	}
-
-	fmt.Println("removing src")
-	// now that we have the binary, remove the tmp src
-	err = os.RemoveAll(gopath + "/src/tmpcontainerize/")
-	if err != nil {
-		return "", err
-	}
-	fmt.Println("removing docker image")
-	err = os.Remove(gopath + "/bin/Dockerfile")
-	if err != nil {
-		return "", err
-	}
-
-	return "", nil
-}
diff --git a/internal/repl/log.go b/internal/repl/log.go
deleted file mode 100644
index aa05a0b..0000000
--- a/internal/repl/log.go
+++ /dev/null
@@ -1,32 +0,0 @@
-package replpkg
-
-import (
-	"fmt"
-	"os"
-	"path/filepath"
-	"runtime"
-)
-
-var debug bool
-
-func debugf(format string, args ...interface{}) {
-
-	if !debug {
-		return
-	}
-
-	_, file, line, ok := runtime.Caller(1)
-	if ok {
-		format = fmt.Sprintf("%s:%d %s", filepath.Base(file), line, format)
-	}
-
-	fmt.Fprintf(os.Stderr, format+"\n", args...)
-}
-
-func errorf(format string, args ...interface{}) {
-	fmt.Fprintf(os.Stderr, "error: "+format+"\n", args...)
-}
-
-func infof(format string, args ...interface{}) {
-	fmt.Fprintf(os.Stderr, format+"\n", args...)
-}
diff --git a/internal/repl/node.go b/internal/repl/node.go
deleted file mode 100644
index 7b4359d..0000000
--- a/internal/repl/node.go
+++ /dev/null
@@ -1,41 +0,0 @@
-package replpkg
-
-import (
-	"reflect"
-
-	"go/ast"
-	"go/token"
-)
-
-// normalizeNodePos resets all position information of node and its descendants.
-func normalizeNodePos(node ast.Node) {
-	ast.Inspect(node, func(node ast.Node) bool {
-		if node == nil {
-			return true
-		}
-
-		if node.Pos() == token.NoPos && node.End() == token.NoPos {
-			return true
-		}
-
-		pv := reflect.ValueOf(node)
-		if pv.Kind() != reflect.Ptr {
-			return true
-		}
-
-		v := pv.Elem()
-		if v.Kind() != reflect.Struct {
-			return true
-		}
-
-		for i := 0; i < v.NumField(); i++ {
-			f := v.Field(i)
-			ft := f.Type()
-			if f.CanSet() && ft.PkgPath() == "go/token" && ft.Name() == "Pos" && f.Int() != 0 {
-				f.SetInt(1)
-			}
-		}
-
-		return true
-	})
-}
diff --git a/internal/repl/quickfix.go b/internal/repl/quickfix.go
deleted file mode 100644
index 2e4998e..0000000
--- a/internal/repl/quickfix.go
+++ /dev/null
@@ -1,276 +0,0 @@
-package replpkg
-
-import (
-	"strings"
-
-	"go/ast"
-	"go/types"
-
-	"golang.org/x/tools/go/ast/astutil"
-
-	"github.com/motemen/go-quickfix"
-)
-
-// doQuickFix tries to fix the source AST so that it compiles well.
-func (s *Session) doQuickFix() error {
-	const maxAttempts = 10
-
-	s.reset()
-
-quickFixAttempt:
-	for i := 0; i < maxAttempts; i++ {
-		s.TypeInfo = types.Info{
-			Types: make(map[ast.Expr]types.TypeAndValue),
-		}
-
-		files := s.ExtraFiles
-		files = append(files, s.File)
-
-		config := quickfix.Config{
-			Fset:     s.Fset,
-			Files:    files,
-			TypeInfo: &s.TypeInfo,
-		}
-		_, err := config.QuickFixOnce()
-		if err == nil {
-			break
-		}
-
-		debugf("quickFix :: err = %#v", err)
-
-		errList, ok := err.(quickfix.ErrorList)
-		if !ok {
-			continue
-		}
-
-		// (try to) fix gore-specific remaining errors
-		for _, err := range errList {
-			err, ok := err.(types.Error)
-			if !ok {
-				continue
-			}
-
-			// "... used as value":
-			//
-			// convert
-			//   __gore_pp(funcWithSideEffectReturningNoValue())
-			// to
-			//   funcWithSideEffectReturningNoValue()
-			if strings.HasSuffix(err.Msg, " used as value") {
-				nodepath, _ := astutil.PathEnclosingInterval(s.File, err.Pos, err.Pos)
-
-				for _, node := range nodepath {
-					stmt, ok := node.(ast.Stmt)
-					if !ok {
-						continue
-					}
-
-					for i := range s.mainBody.List {
-						if s.mainBody.List[i] != stmt {
-							continue
-						}
-
-						exprs := printedExprs(stmt)
-
-						stmts := s.mainBody.List[0:i]
-						for _, expr := range exprs {
-							stmts = append(stmts, &ast.ExprStmt{X: expr})
-						}
-
-						s.mainBody.List = append(stmts, s.mainBody.List[i+1:]...)
-						continue quickFixAttempt
-					}
-				}
-			}
-		}
-
-		debugf("quickFix :: give up: %#v", err)
-	}
-
-	return nil
-}
-
-func (s *Session) clearQuickFix() {
-
-	// make all import specs explicit (i.e. no "_").
-	for _, imp := range s.File.Imports {
-		imp.Name = nil
-	}
-
-	for i := 0; i < len(s.mainBody.List); {
-		stmt := s.mainBody.List[i]
-
-		// remove "_ = x" stmt
-		if assign, ok := stmt.(*ast.AssignStmt); ok && len(assign.Lhs) == 1 {
-			if isNamedIdent(assign.Lhs[0], "_") {
-				s.mainBody.List = append(s.mainBody.List[0:i], s.mainBody.List[i+1:]...)
-				continue
-			}
-		}
-
-		// remove expressions just for printing out
-		// i.e. what causes "evaluated but not used."
-		if exprs := printedExprs(stmt); exprs != nil {
-			allPure := true
-			for _, expr := range exprs {
-				if !s.isPureExpr(expr) {
-					allPure = false
-					break
-				}
-			}
-
-			if allPure {
-				s.mainBody.List = append(s.mainBody.List[0:i], s.mainBody.List[i+1:]...)
-				continue
-			}
-
-			// strip (possibly impure) printing expression to expression
-			var trailing []ast.Stmt
-			s.mainBody.List, trailing = s.mainBody.List[0:i], s.mainBody.List[i+1:]
-			for _, expr := range exprs {
-				if !isNamedIdent(expr, "_") {
-					s.mainBody.List = append(s.mainBody.List, &ast.ExprStmt{X: expr})
-				}
-			}
-
-			s.mainBody.List = append(s.mainBody.List, trailing...)
-			continue
-		}
-
-		i++
-	}
-
-	debugf("clearQuickFix :: %s", showNode(s.Fset, s.mainBody))
-}
-
-// printedExprs returns arguments of statement stmt of form "p(x...)"
-func printedExprs(stmt ast.Stmt) []ast.Expr {
-	st, ok := stmt.(*ast.ExprStmt)
-	if !ok {
-		return nil
-	}
-
-	// first check whether the expr is p(_) form
-	call, ok := st.X.(*ast.CallExpr)
-	if !ok {
-		return nil
-	}
-
-	if !isNamedIdent(call.Fun, printerName) {
-		return nil
-	}
-
-	return call.Args
-}
-
-var pureBuiltinFuncNames = map[string]bool{
-	"append":  true,
-	"cap":     true,
-	"complex": true,
-	"imag":    true,
-	"len":     true,
-	"make":    true,
-	"new":     true,
-	"real":    true,
-}
-
-var pureNotBuiltinFuncNames = map[string]bool{
-	"Println": true,
-	"Printf":  true,
-}
-
-// isPureExpr checks if an expression expr is "pure", which means
-// removing this expression will no affect the entire program.
-// - identifiers ("x")
-// - types
-// - selectors ("x.y")
-// - slices ("a[n:m]")
-// - literals ("1")
-// - type conversion ("int(1)")
-// - type assertion ("x.(int)")
-// - call of some built-in functions as listed in pureBuiltinFuncNames
-func (s *Session) isPureExpr(expr ast.Expr) bool {
-	if expr == nil {
-		return true
-	}
-
-	switch expr := expr.(type) {
-	case *ast.Ident:
-		return true
-	case *ast.BasicLit:
-		return true
-	case *ast.BinaryExpr:
-		return s.isPureExpr(expr.X) && s.isPureExpr(expr.Y)
-	case *ast.CallExpr:
-		tv := s.TypeInfo.Types[expr.Fun]
-
-		//for _, arg := range expr.Args {
-		//	if s.isPureExpr(arg) == false {
-		//		return false
-		//	}
-		//}
-
-		if tv.IsType() {
-			return true
-		}
-
-		if tv.IsBuiltin() {
-			if ident, ok := expr.Fun.(*ast.Ident); ok {
-				if pureBuiltinFuncNames[ident.Name] {
-					return true
-				}
-			}
-		}
-
-		if !tv.IsBuiltin() {
-			if selectorExpr, ok := expr.Fun.(*ast.SelectorExpr); ok {
-				if pureNotBuiltinFuncNames[selectorExpr.Sel.Name] {
-					return true
-				}
-			}
-		}
-
-		return false
-	case *ast.CompositeLit:
-		return true
-	case *ast.FuncLit:
-		return true
-	case *ast.IndexExpr:
-		return s.isPureExpr(expr.X) && s.isPureExpr(expr.Index)
-	case *ast.SelectorExpr:
-		return s.isPureExpr(expr.X)
-	case *ast.SliceExpr:
-		return s.isPureExpr(expr.Low) && s.isPureExpr(expr.High) && s.isPureExpr(expr.Max)
-	case *ast.StarExpr:
-		return s.isPureExpr(expr.X)
-	case *ast.TypeAssertExpr:
-		return true
-	case *ast.UnaryExpr:
-		return s.isPureExpr(expr.X)
-	case *ast.ParenExpr:
-		return s.isPureExpr(expr.X)
-
-	case *ast.InterfaceType:
-		return true
-	case *ast.ArrayType:
-		return true
-	case *ast.ChanType:
-		return true
-	case *ast.KeyValueExpr:
-		return true
-	case *ast.MapType:
-		return true
-	case *ast.StructType:
-		return true
-	case *ast.FuncType:
-		return true
-
-	case *ast.Ellipsis:
-		return true
-
-	case *ast.BadExpr:
-		return false
-	}
-
-	return false
-}
diff --git a/internal/repl/repl.go b/internal/repl/repl.go
deleted file mode 100644
index b567193..0000000
--- a/internal/repl/repl.go
+++ /dev/null
@@ -1,654 +0,0 @@
-package replpkg
-
-import (
-	"bytes"
-	"errors"
-	"fmt"
-	"io/ioutil"
-	"os"
-	"os/exec"
-	"path/filepath"
-	"strings"
-	"syscall"
-
-	"go/ast"
-	"go/build"
-	"go/importer"
-	"go/parser"
-	"go/printer"
-	"go/scanner"
-	"go/token"
-	"go/types"
-
-	// Importing this package installs Import as go/types.DefaultImport.
-	"golang.org/x/tools/imports"
-
-	"github.com/motemen/go-quickfix"
-)
-
-const printerName = "__gophernotes"
-
-// Session encodes info about the current REPL session.
-type Session struct {
-	FilePath       string
-	File           *ast.File
-	Fset           *token.FileSet
-	Types          *types.Config
-	TypeInfo       types.Info
-	ExtraFilePaths []string
-	ExtraFiles     []*ast.File
-
-	mainBody         *ast.BlockStmt
-	storedBodyLength int
-}
-
-const initialSourceTemplate = `
-package main
-
-import %q
-
-func ` + printerName + `(xx ...interface{}) {
-	for _, x := range xx {
-		%s
-	}
-}
-
-func main() {
-}
-`
-
-// printerPkgs is a list of packages that provides
-// pretty printing function.
-var printerPkgs = []struct {
-	path string
-	code string
-}{
-	{"github.com/k0kubun/pp", `pp.Println(x)`},
-	{"github.com/davecgh/go-spew/spew", `spew.Printf("%#v\n", x)`},
-	{"fmt", `fmt.Printf("%#v\n", x)`},
-}
-
-// NewSession initiates a new REPL
-func NewSession() (*Session, error) {
-
-	s := &Session{
-		Fset: token.NewFileSet(),
-		Types: &types.Config{
-			Importer: importer.Default(),
-		},
-	}
-
-	var err error
-	s.FilePath, err = tempFile()
-	if err != nil {
-		return nil, err
-	}
-
-	var initialSource string
-	for _, pp := range printerPkgs {
-		_, err := importer.Default().Import(pp.path)
-		if err == nil {
-			initialSource = fmt.Sprintf(initialSourceTemplate, pp.path, pp.code)
-			break
-		}
-		debugf("could not import %q: %s", pp.path, err)
-	}
-	if initialSource == "" {
-		return nil, fmt.Errorf("Could not load pretty printing package")
-	}
-
-	s.File, err = parser.ParseFile(s.Fset, "gophernotes_session.go", initialSource, parser.Mode(0))
-	if err != nil {
-		return nil, err
-	}
-
-	s.mainBody = s.mainFunc().Body
-
-	return s, nil
-}
-
-func (s *Session) mainFunc() *ast.FuncDecl {
-	return s.File.Scope.Lookup("main").Decl.(*ast.FuncDecl)
-}
-
-// Run calls "go run" with appropriate files appended.
-func (s *Session) Run() ([]byte, bytes.Buffer, error) {
-	f, err := os.Create(s.FilePath)
-	if err != nil {
-		return nil, bytes.Buffer{}, err
-	}
-
-	err = printer.Fprint(f, s.Fset, s.File)
-	if err != nil {
-		return nil, bytes.Buffer{}, err
-	}
-
-	return goRun(append(s.ExtraFilePaths, s.FilePath))
-}
-
-// tempFile prepares the temporary session file for the REPL.
-func tempFile() (string, error) {
-	dir, err := ioutil.TempDir("", "")
-	if err != nil {
-		return "", err
-	}
-
-	err = os.MkdirAll(dir, 0755)
-	if err != nil {
-		return "", err
-	}
-
-	return filepath.Join(dir, "gophernotes_session.go"), nil
-}
-
-func goRun(files []string) ([]byte, bytes.Buffer, error) {
-
-	var stderr bytes.Buffer
-
-	args := append([]string{"run"}, files...)
-	debugf("go %s", strings.Join(args, " "))
-	cmd := exec.Command("go", args...)
-	cmd.Stdin = os.Stdin
-	cmd.Stderr = &stderr
-	out, err := cmd.Output()
-	return out, stderr, err
-}
-
-func (s *Session) evalExpr(in string) (ast.Expr, error) {
-	expr, err := parser.ParseExpr(in)
-	if err != nil {
-		return nil, err
-	}
-
-	stmt := &ast.ExprStmt{
-		X: &ast.CallExpr{
-			Fun:  ast.NewIdent(printerName),
-			Args: []ast.Expr{expr},
-		},
-	}
-
-	s.appendStatements(stmt)
-
-	return expr, nil
-}
-
-func isNamedIdent(expr ast.Expr, name string) bool {
-	ident, ok := expr.(*ast.Ident)
-	return ok && ident.Name == name
-}
-
-func (s *Session) evalStmt(in string, noPrint bool) error {
-	src := fmt.Sprintf("package P; func F() { %s }", in)
-	f, err := parser.ParseFile(s.Fset, "stmt.go", src, parser.Mode(0))
-	if err != nil {
-		debugf("stmt :: err = %s", err)
-
-		// try to import this as a proxy function and correct for any imports
-		appendForImport := `package main
-
-
-			`
-
-		f, err := os.Create(string(filepath.Dir(s.FilePath)) + "/func_proxy.go")
-		if err != nil {
-			return err
-		}
-
-		_, err = f.Write([]byte(appendForImport + in))
-		if err != nil {
-			return err
-		}
-		f.Close()
-
-		b := new(bytes.Buffer)
-		cmd := exec.Command("goimports", "-w", string(filepath.Dir(s.FilePath))+"/func_proxy.go")
-		cmd.Stdout = b
-		cmd.Stderr = b
-		err = cmd.Run()
-		if err != nil {
-			err = errors.New(b.String())
-			return err
-		}
-
-		functproxy, err := ioutil.ReadFile(string(filepath.Dir(s.FilePath)) + "/func_proxy.go")
-		if err != nil {
-			return err
-		}
-
-		if err = s.importFile(functproxy); err != nil {
-			errorf("%s", err.Error())
-			if _, ok := err.(scanner.ErrorList); ok {
-				return ErrContinue
-			}
-		}
-
-	}
-
-	enclosingFunc := f.Scope.Lookup("F").Decl.(*ast.FuncDecl)
-	stmts := enclosingFunc.Body.List
-
-	if len(stmts) > 0 {
-
-		debugf("evalStmt :: %s", showNode(s.Fset, stmts))
-		lastStmt := stmts[len(stmts)-1]
-
-		// print last assigned/defined values
-		if !noPrint {
-			if assign, ok := lastStmt.(*ast.AssignStmt); ok {
-				vs := []ast.Expr{}
-				for _, v := range assign.Lhs {
-					if !isNamedIdent(v, "_") {
-						vs = append(vs, v)
-					}
-				}
-				if len(vs) > 0 {
-					printLastValues := &ast.ExprStmt{
-						X: &ast.CallExpr{
-							Fun:  ast.NewIdent(printerName),
-							Args: vs,
-						},
-					}
-					stmts = append(stmts, printLastValues)
-				}
-			}
-		}
-	}
-
-	s.appendStatements(stmts...)
-
-	return nil
-}
-
-func (s *Session) appendStatements(stmts ...ast.Stmt) {
-	s.mainBody.List = append(s.mainBody.List, stmts...)
-}
-
-// Error is an exported error.
-type Error string
-
-// ErrContinue and ErrQuit are specific exported error types.
-const (
-	ErrContinue Error = "<continue input>"
-	ErrQuit     Error = "<quit session>"
-)
-
-func (e Error) Error() string {
-	return string(e)
-}
-
-func (s *Session) source(space bool) (string, error) {
-	normalizeNodePos(s.mainFunc())
-
-	var config *printer.Config
-	if space {
-		config = &printer.Config{
-			Mode:     printer.UseSpaces,
-			Tabwidth: 4,
-		}
-	} else {
-		config = &printer.Config{
-			Tabwidth: 8,
-		}
-	}
-
-	var buf bytes.Buffer
-	err := config.Fprint(&buf, s.Fset, s.File)
-	return buf.String(), err
-}
-
-func (s *Session) reset() error {
-	source, err := s.source(false)
-	if err != nil {
-		return err
-	}
-
-	file, err := parser.ParseFile(s.Fset, "gophernotes_session.go", source, parser.Mode(0))
-	if err != nil {
-		return err
-	}
-
-	s.File = file
-	s.mainBody = s.mainFunc().Body
-
-	return nil
-}
-
-// Eval handles the evaluation of code parsed from received messages
-func (s *Session) Eval(in string) (string, bytes.Buffer, error) {
-	debugf("eval >>> %q", in)
-
-	s.clearQuickFix()
-	s.storeMainBody()
-
-	// Split the lines of the input to check for special commands.
-	inLines := strings.Split(in, "\n")
-	var nonImportLines []string
-	for idx, line := range inLines {
-
-		// Extract non-special lines.
-		trimLine := strings.TrimSpace(line)
-		if !strings.HasPrefix(line, "import") && !strings.HasPrefix(line, ":") && !strings.HasPrefix(trimLine, "\"") && !strings.HasPrefix(line, ")") {
-			nonImportLines = append(nonImportLines, line)
-			continue
-		}
-
-		// Process special commands.
-		var args []string
-		for _, command := range commands {
-
-			// Clear the args.
-			args = []string{}
-
-			// Extract any argument provided with the special command.
-			arg := strings.TrimPrefix(line, ":"+command.name)
-			if command.name == "import" {
-				arg = strings.TrimPrefix(arg, "import")
-			}
-			switch {
-			case arg == line:
-				continue
-			case strings.HasPrefix(strings.TrimSpace(arg), "("):
-				advance := 1
-				currentLine := inLines[idx+advance]
-				for !strings.Contains(currentLine, ")") {
-					args = append(args, currentLine)
-					advance++
-					currentLine = inLines[idx+advance]
-				}
-			default:
-				args = append(args, arg)
-			}
-
-			// Apply the action associated with the special command.
-			for _, arg = range args {
-				if arg == "" || strings.HasPrefix(arg, " ") {
-					arg = strings.TrimSpace(arg)
-					_, err := command.action(s, arg)
-					if err != nil {
-						if err == ErrQuit {
-							return "", bytes.Buffer{}, err
-						}
-						errorf("%s: %s", command.name, err.Error())
-					}
-				}
-			}
-		}
-	}
-
-	// Join the non-special lines back together for evaluation.
-	in = strings.Join(nonImportLines, "\n")
-	if len(in) == 0 {
-		s.doQuickFix()
-		return "", bytes.Buffer{}, nil
-	}
-
-	// Extract statements.
-	priorListLength := len(s.mainBody.List)
-	if err := s.separateEvalStmt(in); err != nil {
-		return "", *bytes.NewBuffer([]byte(err.Error())), err
-	}
-
-	s.doQuickFix()
-
-	output, stderr, runErr := s.Run()
-	if runErr != nil || stderr.String() != "" {
-		if exitErr, ok := runErr.(*exec.ExitError); ok {
-			// if failed with status 2, remove the last statement
-			if st, ok := exitErr.ProcessState.Sys().(syscall.WaitStatus); ok {
-				if st.ExitStatus() == 2 {
-					debugf("got exit status 2, popping out last input")
-					s.restoreMainBody()
-					runErr = nil
-				}
-			}
-		}
-	}
-
-	// Cleanup the session file.
-	s.mainBody.List = s.mainBody.List[0:priorListLength]
-	if err := s.cleanEvalStmt(in); err != nil {
-		return string(output), stderr, err
-	}
-	f, err := os.Create(s.FilePath)
-	if err != nil {
-		return string(output), stderr, err
-	}
-	err = printer.Fprint(f, s.Fset, s.File)
-	if err != nil {
-		return string(output), stderr, err
-	}
-
-	// Catch any unexpected stderr.
-	if stderr.String() != "" {
-		runErr = errors.New("Unexpected stderr from execution")
-	}
-
-	return string(output), stderr, runErr
-}
-
-// separateEvalStmt separates what can be evaluated via evalExpr from what cannot.
-func (s *Session) separateEvalStmt(in string) error {
-	var stmtLines []string
-	var exprCount int
-	var bracketCount int
-
-	inLines := strings.Split(in, "\n")
-
-	for _, line := range inLines {
-
-		if bracketCount == 0 && len(stmtLines) == 0 {
-			_, err := s.evalExpr(line)
-			if err != nil {
-				if strings.LastIndex(line, "{") == len(line)-1 {
-					bracketCount++
-				}
-			}
-			if err == nil {
-				continue
-			}
-		}
-
-		if strings.LastIndex(line, "}") == len(line)-1 {
-			if !strings.HasSuffix(line, "{}") {
-				bracketCount--
-			}
-		}
-		if strings.LastIndex(line, "{") == len(line)-1 {
-			bracketCount++
-		}
-		stmtLines = append(stmtLines, line)
-
-		if bracketCount == 0 && len(stmtLines) > 0 {
-
-			if err := s.evalStmt(strings.Join(stmtLines, "\n"), true); err != nil {
-				return err
-			}
-			stmtLines = []string{}
-			continue
-		}
-
-		exprCount++
-	}
-
-	if len(stmtLines) > 0 {
-		var noPrint bool
-		if exprCount > 0 {
-			noPrint = true
-		}
-		if err := s.evalStmt(strings.Join(stmtLines, "\n"), noPrint); err != nil {
-			return err
-		}
-	}
-
-	return nil
-}
-
-// cleanEvalStmt cleans up prior print statements etc.
-func (s *Session) cleanEvalStmt(in string) error {
-	var stmtLines []string
-
-	inLines := strings.Split(in, "\n")
-
-	for _, line := range inLines {
-
-		beforeLines := len(s.mainBody.List)
-		if expr, err := s.evalExpr(line); err == nil {
-			if !s.isPureExpr(expr) {
-				s.mainBody.List = s.mainBody.List[0:beforeLines]
-				stmtLines = append(stmtLines, line)
-			}
-			continue
-		}
-		stmtLines = append(stmtLines, line)
-	}
-
-	if len(stmtLines) != 0 {
-		if err := s.evalStmt(strings.Join(stmtLines, "\n"), true); err != nil {
-			return err
-		}
-	}
-
-	return nil
-}
-
-// storeMainBody stores current state of code so that it can be restored
-// actually it saves the length of statements inside main()
-func (s *Session) storeMainBody() {
-	s.storedBodyLength = len(s.mainBody.List)
-}
-
-func (s *Session) restoreMainBody() {
-	s.mainBody.List = s.mainBody.List[0:s.storedBodyLength]
-}
-
-// includeFiles imports packages and funcsions from multiple golang source
-func (s *Session) includeFiles(files []string) {
-	for _, file := range files {
-		s.includeFile(file)
-	}
-}
-
-func (s *Session) includeFile(file string) {
-	content, err := ioutil.ReadFile(file)
-	if err != nil {
-		errorf("%s", err.Error())
-		return
-	}
-
-	if err = s.importPackages(content); err != nil {
-		errorf("%s", err.Error())
-		return
-	}
-
-	if err = s.importFile(content); err != nil {
-		errorf("%s", err.Error())
-	}
-
-	infof("added file %s", file)
-}
-
-// importPackages includes packages defined on external file into main file
-func (s *Session) importPackages(src []byte) error {
-	astf, err := parser.ParseFile(s.Fset, "", src, parser.Mode(0))
-	if err != nil {
-		return err
-	}
-
-	for _, imt := range astf.Imports {
-		debugf("import package: %s", imt.Path.Value)
-		actionImport(s, imt.Path.Value)
-	}
-
-	return nil
-}
-
-// importFile adds external golang file to goRun target to use its function
-func (s *Session) importFile(src []byte) error {
-	// Don't need to same directory
-	tmp, err := ioutil.TempFile(filepath.Dir(s.FilePath), "gore_extarnal_")
-	if err != nil {
-		return err
-	}
-
-	ext := tmp.Name() + ".go"
-
-	f, err := parser.ParseFile(s.Fset, ext, src, parser.Mode(0))
-	if err != nil {
-		return err
-	}
-
-	// rewrite to package main
-	f.Name.Name = "main"
-
-	// remove func main()
-	for i, decl := range f.Decls {
-		if funcDecl, ok := decl.(*ast.FuncDecl); ok {
-			if isNamedIdent(funcDecl.Name, "main") {
-				f.Decls = append(f.Decls[0:i], f.Decls[i+1:]...)
-				// main() removed from this file, we may have to
-				// remove some unsed import's
-				quickfix.QuickFix(s.Fset, []*ast.File{f})
-				break
-			}
-		}
-	}
-
-	out, err := os.Create(ext)
-	if err != nil {
-		return err
-	}
-	defer out.Close()
-
-	err = printer.Fprint(out, s.Fset, f)
-	if err != nil {
-		return err
-	}
-
-	debugf("import file: %s", ext)
-	s.ExtraFilePaths = append(s.ExtraFilePaths, ext)
-	s.ExtraFiles = append(s.ExtraFiles, f)
-
-	return nil
-}
-
-// fixImports formats and adjusts imports for the current AST.
-func (s *Session) fixImports() error {
-
-	var buf bytes.Buffer
-	err := printer.Fprint(&buf, s.Fset, s.File)
-	if err != nil {
-		return err
-	}
-
-	formatted, err := imports.Process("", buf.Bytes(), nil)
-	if err != nil {
-		return err
-	}
-
-	s.File, err = parser.ParseFile(s.Fset, "", formatted, parser.Mode(0))
-	if err != nil {
-		return err
-	}
-	s.mainBody = s.mainFunc().Body
-
-	return nil
-}
-
-func (s *Session) includePackage(path string) error {
-	pkg, err := build.Import(path, ".", 0)
-	if err != nil {
-		var err2 error
-		pkg, err2 = build.ImportDir(path, 0)
-		if err2 != nil {
-			return err // return package path import error, not directory import error as build.Import can also import directories if "./foo" is specified
-		}
-	}
-
-	files := make([]string, len(pkg.GoFiles))
-	for i, f := range pkg.GoFiles {
-		files[i] = filepath.Join(pkg.Dir, f)
-	}
-	s.includeFiles(files)
-
-	return nil
-}
diff --git a/internal/repl/utils.go b/internal/repl/utils.go
deleted file mode 100644
index 6b22f4d..0000000
--- a/internal/repl/utils.go
+++ /dev/null
@@ -1,14 +0,0 @@
-package replpkg
-
-import (
-	"bytes"
-
-	"go/printer"
-	"go/token"
-)
-
-func showNode(fset *token.FileSet, node interface{}) string {
-	var buf bytes.Buffer
-	printer.Fprint(&buf, fset, node)
-	return buf.String()
-}
diff --git a/kernel.go b/kernel.go
new file mode 100644
index 0000000..2c7ec06
--- /dev/null
+++ b/kernel.go
@@ -0,0 +1,304 @@
+package main
+
+import (
+	"encoding/json"
+	"fmt"
+	"io/ioutil"
+	"log"
+	"os"
+
+	"github.com/cosmos72/gomacro/classic"
+	zmq "github.com/pebbe/zmq4"
+)
+
+// ExecCounter is incremented each time we run user code in the notebook.
+var ExecCounter int
+
+// ConnectionInfo stores the contents of the kernel connection
+// file created by Jupyter.
+type ConnectionInfo struct {
+	SignatureScheme string `json:"signature_scheme"`
+	Transport       string `json:"transport"`
+	StdinPort       int    `json:"stdin_port"`
+	ControlPort     int    `json:"control_port"`
+	IOPubPort       int    `json:"iopub_port"`
+	HBPort          int    `json:"hb_port"`
+	ShellPort       int    `json:"shell_port"`
+	Key             string `json:"key"`
+	IP              string `json:"ip"`
+}
+
+// SocketGroup holds the sockets needed to communicate with the kernel,
+// and the key for message signing.
+type SocketGroup struct {
+	ShellSocket   *zmq.Socket
+	ControlSocket *zmq.Socket
+	StdinSocket   *zmq.Socket
+	IOPubSocket   *zmq.Socket
+	Key           []byte
+}
+
+// kernelInfo holds information about the igo kernel, for
+// kernel_info_reply messages.
+type kernelInfo struct {
+	ProtocolVersion []int  `json:"protocol_version"`
+	Language        string `json:"language"`
+}
+
+// kernelStatus holds a kernel state, for status broadcast messages.
+type kernelStatus struct {
+	ExecutionState string `json:"execution_state"`
+}
+
+// shutdownReply encodes a boolean indication of stutdown/restart
+type shutdownReply struct {
+	Restart bool `json:"restart"`
+}
+
+// runKernel is the main entry point to start the kernel.
+func runKernel(connectionFile string) {
+
+	// Set up the "Session" with the replpkg.
+	ir := classic.New()
+
+	// Parse the connection info.
+	var connInfo ConnectionInfo
+
+	connData, err := ioutil.ReadFile(connectionFile)
+	if err != nil {
+		log.Fatal(err)
+	}
+
+	if err = json.Unmarshal(connData, &connInfo); err != nil {
+		log.Fatal(err)
+	}
+
+	// Set up the ZMQ sockets through which the kernel will communicate.
+	sockets, err := prepareSockets(connInfo)
+	if err != nil {
+		log.Fatal(err)
+	}
+
+	poller := zmq.NewPoller()
+	poller.Add(sockets.ShellSocket, zmq.POLLIN)
+	poller.Add(sockets.StdinSocket, zmq.POLLIN)
+	poller.Add(sockets.ControlSocket, zmq.POLLIN)
+
+	// msgParts will store a received multipart message.
+	var msgParts [][]byte
+
+	// Start a message receiving loop.
+	for {
+		polled, err := poller.Poll(-1)
+		if err != nil {
+			log.Fatal(err)
+		}
+
+		for _, item := range polled {
+
+			// Handle various types of messages.
+			switch socket := item.Socket; socket {
+
+			// Handle shell messages.
+			case sockets.ShellSocket:
+				msgparts, err := sockets.ShellSocket.RecvMessageBytes(0)
+				if err != nil {
+					log.Println(err)
+				}
+
+				msg, ids, err := WireMsgToComposedMsg(msgparts, sockets.Key)
+				if err != nil {
+					log.Println(err)
+					return
+				}
+
+				handleShellMsg(ir, msgReceipt{msg, ids, sockets})
+
+			// TODO Handle stdin socket.
+			case sockets.StdinSocket:
+				sockets.StdinSocket.RecvMessageBytes(0)
+
+			// Handle control messages.
+			case sockets.ControlSocket:
+				msgparts, err := sockets.ControlSocket.RecvMessageBytes(0)
+				if err != nil {
+					log.Println(err)
+					return
+				}
+
+				msg, ids, err := WireMsgToComposedMsg(msgparts, sockets.Key)
+				if err != nil {
+					log.Println(err)
+					return
+				}
+
+				handleShellMsg(ir, msgReceipt{msg, ids, sockets})
+			}
+		}
+	}
+}
+
+// prepareSockets sets up the ZMQ sockets through which the kernel
+// will communicate.
+func prepareSockets(connInfo ConnectionInfo) (SocketGroup, error) {
+
+	// Initialize the context.
+	context, err := zmq.NewContext()
+	if err != nil {
+		return SocketGroup{}, err
+	}
+
+	// Initialize the socket group.
+	var sg SocketGroup
+
+	sg.ShellSocket, err = context.NewSocket(zmq.ROUTER)
+	if err != nil {
+		return sg, err
+	}
+
+	sg.ControlSocket, err = context.NewSocket(zmq.ROUTER)
+	if err != nil {
+		return sg, err
+	}
+
+	sg.StdinSocket, err = context.NewSocket(zmq.ROUTER)
+	if err != nil {
+		return sg, err
+	}
+
+	sg.IOPubSocket, err = context.NewSocket(zmq.PUB)
+	if err != nil {
+		return sg, err
+	}
+
+	// Bind the sockets.
+	address := fmt.Sprintf("%v://%v:%%v", connInfo.Transport, connInfo.IP)
+	sg.ShellSocket.Bind(fmt.Sprintf(address, connInfo.ShellPort))
+	sg.ControlSocket.Bind(fmt.Sprintf(address, connInfo.ControlPort))
+	sg.StdinSocket.Bind(fmt.Sprintf(address, connInfo.StdinPort))
+	sg.IOPubSocket.Bind(fmt.Sprintf(address, connInfo.IOPubPort))
+
+	// Set the message signing key.
+	sg.Key = []byte(connInfo.Key)
+
+	return sg, nil
+}
+
+// handleShellMsg responds to a message on the shell ROUTER socket.
+func handleShellMsg(ir *classic.Interp, receipt msgReceipt) {
+	switch receipt.Msg.Header.MsgType {
+	case "kernel_info_request":
+		if err := sendKernelInfo(receipt); err != nil {
+			log.Fatal(err)
+		}
+	case "execute_request":
+		if err := handleExecuteRequest(ir, receipt); err != nil {
+			log.Fatal(err)
+		}
+	case "shutdown_request":
+		if err := handleShutdownRequest(receipt); err != nil {
+			log.Fatal(err)
+		}
+	default:
+		log.Println("Unhandled shell message: ", receipt.Msg.Header.MsgType)
+	}
+}
+
+// sendKernelInfo sends a kernel_info_reply message.
+func sendKernelInfo(receipt msgReceipt) error {
+	reply, err := NewMsg("kernel_info_reply", receipt.Msg)
+	if err != nil {
+		return err
+	}
+
+	reply.Content = kernelInfo{[]int{4, 0}, "go"}
+	if err := receipt.SendResponse(receipt.Sockets.ShellSocket, reply); err != nil {
+		return err
+	}
+
+	return nil
+}
+
+// handleExecuteRequest runs code from an execute_request method,
+// and sends the various reply messages.
+func handleExecuteRequest(ir *classic.Interp, receipt msgReceipt) error {
+
+	reply, err := NewMsg("execute_reply", receipt.Msg)
+	if err != nil {
+		return err
+	}
+
+	content := make(map[string]interface{})
+
+	reqcontent := receipt.Msg.Content.(map[string]interface{})
+	code := reqcontent["code"].(string)
+	silent := reqcontent["silent"].(bool)
+
+	if !silent {
+		ExecCounter++
+	}
+
+	content["execution_count"] = ExecCounter
+
+	// Do the compilation/execution magic.
+	rawVal, _ := ir.Eval(code)
+	val := rawVal.(string)
+
+	if err == nil {
+		content["status"] = "ok"
+		content["payload"] = make([]map[string]interface{}, 0)
+		content["user_variables"] = make(map[string]string)
+		content["user_expressions"] = make(map[string]string)
+		if len(val) > 0 && !silent {
+			var outContent OutputMsg
+			out := NewMsg("pyout", receipt.Msg)
+			outContent.Execcount = ExecCounter
+			outContent.Data = make(map[string]string)
+			outContent.Data["text/plain"] = fmt.Sprint(val)
+			outContent.Metadata = make(map[string]interface{})
+			out.Content = outContent
+			receipt.SendResponse(receipt.Sockets.IOPubSocket, out)
+		}
+	} else {
+		content["status"] = "error"
+		content["ename"] = "ERROR"
+		content["evalue"] = err.Error()
+		content["traceback"] = nil
+		errormsg := NewMsg("pyerr", receipt.Msg)
+		errormsg.Content = ErrMsg{"Error", err.Error(), nil}
+		receipt.SendResponse(receipt.Sockets.IOPubSocket, errormsg)
+	}
+
+	// Send the output back to the notebook.
+	reply.Content = content
+
+	if err := receipt.SendResponse(receipt.Sockets.ShellSocket, reply); err != nil {
+		return err
+	}
+
+	idle := NewMsg("status", receipt.Msg)
+	idle.Content = KernelStatus{"idle"}
+
+	if err := receipt.SendResponse(receipt.Sockets.IOPubSocket, idle); err != nil {
+		return err
+	}
+}
+
+// handleShutdownRequest sends a "shutdown" message
+func handleShutdownRequest(receipt msgReceipt) error {
+	reply, err := NewMsg("shutdown_reply", receipt.Msg)
+	if err != nil {
+		return err
+	}
+
+	content := receipt.Msg.Content.(map[string]interface{})
+	restart := content["restart"].(bool)
+	reply.Content = ShutdownReply{restart}
+
+	if err := receipt.SendResponse(receipt.Sockets.ShellSocket, reply); err != nil {
+		return err
+	}
+
+	log.Println("Shutting down in response to shutdown_request")
+	os.Exit(0)
+}
diff --git a/main.go b/main.go
index 00a7eba..d0469a7 100644
--- a/main.go
+++ b/main.go
@@ -2,25 +2,17 @@ package main
 
 import (
 	"flag"
-	"io"
-	"io/ioutil"
 	"log"
-	"os"
 )
 
 func main() {
 
-	debug := flag.Bool("debug", false, "Log extra info to stderr")
-
+	// Parse the connection file.
 	flag.Parse()
 	if flag.NArg() < 1 {
-		log.Fatalln("Need a command line argument for the connection file.")
-	}
-
-	var logwriter io.Writer = os.Stderr
-	if !*debug {
-		logwriter = ioutil.Discard
+		log.Fatalln("Need a command line argument specifying the connection file.")
 	}
 
-	RunKernel(flag.Arg(0), logwriter)
+	// Run the kernel.
+	RunKernel(flag.Arg(0))
 }
diff --git a/messages.go b/messages.go
index 2e23f2a..51f5a33 100644
--- a/messages.go
+++ b/messages.go
@@ -5,11 +5,9 @@ import (
 	"crypto/sha256"
 	"encoding/hex"
 	"encoding/json"
-	"log"
 
-	zmq "github.com/alecthomas/gozmq"
 	uuid "github.com/nu7hatch/gouuid"
-	"github.com/pkg/errors"
+	zmq "github.com/pebbe/zmq4"
 )
 
 // MsgHeader encodes header info for ZMQ messages.
@@ -28,6 +26,28 @@ type ComposedMsg struct {
 	Content      interface{}
 }
 
+// msgReceipt represents a received message, its return identities, and
+// the sockets for communication.
+type msgReceipt struct {
+	Msg        ComposedMsg
+	Identities [][]byte
+	Sockets    SocketGroup
+}
+
+// OutputMsg holds the data for a pyout message.
+type OutputMsg struct {
+	Execcount int                    `json:"execution_count"`
+	Data      map[string]string      `json:"data"`
+	Metadata  map[string]interface{} `json:"metadata"`
+}
+
+// ErrMsg encodes the traceback of errors output to the notebook.
+type ErrMsg struct {
+	EName     string   `json:"ename"`
+	EValue    string   `json:"evalue"`
+	Traceback []string `json:"traceback"`
+}
+
 // InvalidSignatureError is returned when the signature on a received message does not
 // validate.
 type InvalidSignatureError struct{}
@@ -47,7 +67,7 @@ func WireMsgToComposedMsg(msgparts [][]byte, signkey []byte) (ComposedMsg, [][]b
 	}
 	identities := msgparts[:i]
 
-	// Validate signature
+	// Validate signature.
 	var msg ComposedMsg
 	if len(signkey) != 0 {
 		mac := hmac.New(sha256.New, signkey)
@@ -60,6 +80,8 @@ func WireMsgToComposedMsg(msgparts [][]byte, signkey []byte) (ComposedMsg, [][]b
 			return msg, nil, &InvalidSignatureError{}
 		}
 	}
+
+	// Unmarshal contents.
 	json.Unmarshal(msgparts[i+2], &msg.Header)
 	json.Unmarshal(msgparts[i+3], &msg.ParentHeader)
 	json.Unmarshal(msgparts[i+4], &msg.Metadata)
@@ -72,30 +94,32 @@ func WireMsgToComposedMsg(msgparts [][]byte, signkey []byte) (ComposedMsg, [][]b
 func (msg ComposedMsg) ToWireMsg(signkey []byte) ([][]byte, error) {
 
 	msgparts := make([][]byte, 5)
+
 	header, err := json.Marshal(msg.Header)
 	if err != nil {
-		return msgparts, errors.Wrap(err, "Could not marshal message header")
+		return msgparts, err
 	}
 	msgparts[1] = header
 
 	parentHeader, err := json.Marshal(msg.ParentHeader)
 	if err != nil {
-		return msgparts, errors.Wrap(err, "Could not marshal parent header")
+		return msgparts, err
 	}
 	msgparts[2] = parentHeader
 
 	if msg.Metadata == nil {
 		msg.Metadata = make(map[string]interface{})
 	}
+
 	metadata, err := json.Marshal(msg.Metadata)
 	if err != nil {
-		return msgparts, errors.Wrap(err, "Could not marshal metadata")
+		return msgparts, err
 	}
 	msgparts[3] = metadata
 
 	content, err := json.Marshal(msg.Content)
 	if err != nil {
-		return msgparts, errors.Wrap(err, "Could not marshal content")
+		return msgparts, err
 	}
 	msgparts[4] = content
 
@@ -108,43 +132,49 @@ func (msg ComposedMsg) ToWireMsg(signkey []byte) ([][]byte, error) {
 		msgparts[0] = make([]byte, hex.EncodedLen(mac.Size()))
 		hex.Encode(msgparts[0], mac.Sum(nil))
 	}
-	return msgparts, nil
-}
 
-// MsgReceipt represents a received message, its return identities, and the sockets for
-// communication.
-type MsgReceipt struct {
-	Msg        ComposedMsg
-	Identities [][]byte
-	Sockets    SocketGroup
+	return msgparts, nil
 }
 
 // SendResponse sends a message back to return identites of the received message.
-func (receipt *MsgReceipt) SendResponse(socket *zmq.Socket, msg ComposedMsg) {
+func (receipt *msgReceipt) SendResponse(socket *zmq.Socket, msg ComposedMsg) error {
+
+	for _, idt := range receipt.Identities {
+		_, err := socket.Send(idt, zmq.SNDMORE)
+		if err != nil {
+			return err
+		}
+	}
 
-	socket.SendMultipart(receipt.Identities, zmq.SNDMORE)
-	socket.Send([]byte("<IDS|MSG>"), zmq.SNDMORE)
+	_, err := socket.Send([]byte("<IDS|MSG>"), zmq.SNDMORE)
+	if err != nil {
+		return err
+	}
 
-	msgParts, err := msg.ToWireMsg(receipt.Sockets.Key)
+	msgParts, err = msg.ToWireMsg(receipt.Sockets.Key)
 	if err != nil {
-		log.Fatalln(err)
+		return err
+	}
+
+	_, err = socket.SendMessage(msgParts)
+	if err != nil {
+		return err
 	}
-	socket.SendMultipart(msgParts, 0)
-	logger.Println("<--", msg.Header.MsgType)
-	logger.Printf("%+v\n", msg.Content)
 }
 
-// NewMsg creates a new ComposedMsg to respond to a parent message. This includes setting
-// up its headers.
-func NewMsg(msgType string, parent ComposedMsg) (msg ComposedMsg) {
+// NewMsg creates a new ComposedMsg to respond to a parent message.
+// This includes setting up its headers.
+func NewMsg(msgType string, parent ComposedMsg) (ComposedMsg, error) {
 	msg.ParentHeader = parent.Header
 	msg.Header.Session = parent.Header.Session
 	msg.Header.Username = parent.Header.Username
 	msg.Header.MsgType = msgType
+
 	u, err := uuid.NewV4()
 	if err != nil {
-		log.Fatalln(errors.Wrap(err, "Could not generate UUID"))
+		return msg, err
 	}
 	msg.Header.MsgID = u.String()
-	return
+
+	return msg, nil
 }
diff --git a/vendor/github.com/alecthomas/gozmq/.gitignore b/vendor/github.com/alecthomas/gozmq/.gitignore
deleted file mode 100644
index 9b46cdf..0000000
--- a/vendor/github.com/alecthomas/gozmq/.gitignore
+++ /dev/null
@@ -1,15 +0,0 @@
-*.o
-*.a
-*.[568vq]
-[568vq].out
-*.cgo1.go
-*.cgo2.c
-_cgo_defun.c
-_cgo_gotypes.go
-_cgo_export.*
-*.so
-_obj
-_test
-_testmain.go
-*.exe
-.cache
diff --git a/vendor/github.com/alecthomas/gozmq/.godocdown.md b/vendor/github.com/alecthomas/gozmq/.godocdown.md
deleted file mode 100644
index 8a3e12f..0000000
--- a/vendor/github.com/alecthomas/gozmq/.godocdown.md
+++ /dev/null
@@ -1,158 +0,0 @@
-# Go (golang) Bindings for 0mq (zmq, zeromq)
-
-[![Build Status](https://travis-ci.org/alecthomas/gozmq.png)](https://travis-ci.org/alecthomas/gozmq)
-
-This package implements [Go](http://golang.org) (golang) bindings for
-the [0mq](http://zeromq.org) C API.
-
-It is licensed under the [Apache License, Version 2.0](http://www.apache.org/licenses/LICENSE-2.0).
-
-GoZMQ [does not](#zero-copy) support zero-copy.
-
-A full list of examples is included in the [zguide](https://github.com/imatix/zguide/tree/master/examples/Go).
-
-Note that this is *not* the same as [this
-implementation](http://github.com/boggle/gozero) or [this
-implementation](http://code.google.com/p/gozmq/).
-
-## Upgrading
-
-GoZMQ has made some public changes that will break old code.  Fortunately, we've also written a tool based on `go fix` that will upgrade your code for you!  Here's how to run it over your source (after making a backup of course):
-
-    go get github.com/alecthomas/gozmq/gozmqfix
-    cd $YOUR_SOURCE_DIR
-    gozmqfix .
-
-## Installing
-
-GoZMQ currently supports ZMQ 2.1.x, 2.2.x and *basic* support for 3.x. Following are instructions on how to compile against these versions.
-
-Install gozmq with:
-
-    go get github.com/alecthomas/gozmq
-
-This implementation works currently against:: ZeroMQ 2.2.x
-
-### ZeroMQ 2.1.x
-
-If you're using ZeroMQ 2.1.x, install with:
-
-    go get -tags zmq_2_1 github.com/alecthomas/gozmq
-
-### ZeroMQ 3.x
-
-There is *basic* support for ZeroMQ 3.x. Install with:
-
-    go get -tags zmq_3_x github.com/alecthomas/gozmq
-
-### Troubleshooting
-
-#### Go can't find ZMQ
-
-If the go tool can't find zmq and you know it is installed, you may need to override the C compiler/linker flags.
-
-eg. If you installed zmq into `/opt/zmq` you might try:
-
-	CGO_CFLAGS=-I/opt/zmq/include CGO_LDFLAGS=-L/opt/zmq/lib \
-		go get github.com/alecthomas/gozmq
-
-#### Mismatch in version of ZMQ
-
-If you get errors like this with 'go get' or 'go build':
-
-    1: error: 'ZMQ_FOO' undeclared (first use in this function)
-    
-There are two possibilities:
-
-1. Your version of zmq is *very* old. In this case you will need to download and build zmq yourself.
-2. You are building gozmq against the wrong version of zmq. See the [installation](#installation) instructions for details on how to target the correct version.
-
-## Differences from the C API
-
-The API implemented by this package does not attempt to expose
-`zmq_msg_t` at all. Instead, `Recv()` and `Send()` both operate on byte
-slices, allocating and freeing the memory automatically. Currently this
-requires copying to/from C malloced memory, but a future implementation
-may be able to avoid this to a certain extent.
-
-All major features are supported: contexts, sockets, devices, and polls.
-
-## Example
-
-Here are direct translations of some of the examples from [this blog
-post](http://nichol.as/zeromq-an-introduction).
-
-A simple echo server:
-
-```go
-package main
-
-import zmq "github.com/alecthomas/gozmq"
-
-func main() {
-  context, _ := zmq.NewContext()
-  socket, _ := context.NewSocket(zmq.REP)
-  socket.Bind("tcp://127.0.0.1:5000")
-  socket.Bind("tcp://127.0.0.1:6000")
-
-  for {
-    msg, _ := socket.Recv(0)
-    println("Got", string(msg))
-    socket.Send(msg, 0)
-  }
-}
-```
-
-A simple client for the above server:
-
-```go
-package main
-
-import "fmt"
-import zmq "github.com/alecthomas/gozmq"
-
-func main() {
-  context, _ := zmq.NewContext()
-  socket, _ := context.NewSocket(zmq.REQ)
-  socket.Connect("tcp://127.0.0.1:5000")
-  socket.Connect("tcp://127.0.0.1:6000")
-
-  for i := 0; i < 10; i++ {
-    msg := fmt.Sprintf("msg %d", i)
-    socket.Send([]byte(msg), 0)
-    println("Sending", msg)
-    socket.Recv(0)
-  }
-}
-```
-
-## Caveats
-
-### Zero-copy
-
-GoZMQ does not support zero-copy.
-
-GoZMQ does not attempt to expose `zmq_msg_t` at all. Instead, `Recv()` and `Send()`
-both operate on byte slices, allocating and freeing the memory automatically.
-Currently this requires copying to/from C malloced memory, but a future
-implementation may be able to avoid this to a certain extent.
-
-
-### Memory management
-
-It's not entirely clear from the 0mq documentation how memory for
-`zmq_msg_t` and packet data is managed once 0mq takes ownership. After
-digging into the source a little, this package operates under the
-following (educated) assumptions:
-
--   References to `zmq_msg_t` structures are not held by the C API
-    beyond the duration of any function call.
--   Packet data is reference counted internally by the C API. The count
-    is incremented when a packet is queued for delivery to a destination
-    (the inference being that for delivery to N destinations, the
-    reference count will be incremented N times) and decremented once
-    the packet has either been delivered or errored.
-
-{{ .EmitUsage }}
-
-*(generated from .[godocdown](https://github.com/robertkrimen/godocdown).md with `godocdown github.com/alecthomas/gozmq > README.md`)*
diff --git a/vendor/github.com/alecthomas/gozmq/.todo2 b/vendor/github.com/alecthomas/gozmq/.todo2
deleted file mode 100644
index 375a2b8..0000000
--- a/vendor/github.com/alecthomas/gozmq/.todo2
+++ /dev/null
@@ -1,4 +0,0 @@
-{
-  "title": "GoZMQ - ZMQ bindings for Go",
-  "tasks": []
-}
\ No newline at end of file
diff --git a/vendor/github.com/alecthomas/gozmq/.travis.yml b/vendor/github.com/alecthomas/gozmq/.travis.yml
deleted file mode 100644
index 462490a..0000000
--- a/vendor/github.com/alecthomas/gozmq/.travis.yml
+++ /dev/null
@@ -1,6 +0,0 @@
-before_install:
-- sudo apt-get install libzmq3-dev
-language: go
-go: 1.1.1
-install: go get -tags zmq_3_x -d -v ./... && go build -tags zmq_3_x -v ./...
-script: go test -v -tags zmq_3_x ./...
diff --git a/vendor/github.com/alecthomas/gozmq/AUTHORS b/vendor/github.com/alecthomas/gozmq/AUTHORS
deleted file mode 100644
index 1687393..0000000
--- a/vendor/github.com/alecthomas/gozmq/AUTHORS
+++ /dev/null
@@ -1,9 +0,0 @@
-The GoZmq package was originally written by Alec Thomas <alec@swapoff.org>.
-
-Thanks to the following frequent contributors:
-
-  @mcgoo Jim McGrath (https://github.com/mcgoo)
-  @jtacoma Joshua Tacoma (https://github.com/jtacoma)
-  @jhawk28
-
-And many others.
diff --git a/vendor/github.com/alecthomas/gozmq/README.md b/vendor/github.com/alecthomas/gozmq/README.md
deleted file mode 100644
index 15f836f..0000000
--- a/vendor/github.com/alecthomas/gozmq/README.md
+++ /dev/null
@@ -1,1024 +0,0 @@
-# _NOTE:_ These gozmq bindings are in maintenance mode. Only critical bugs will be fixed. Henceforth I would suggest using [@pebbe's](https://github.com/pebbe) actively maintained bindings for [zmq2](https://github.com/pebbe/zmq2), [zmq3](https://github.com/pebbe/zmq3) and [zmq4](https://github.com/pebbe/zmq4).
-
-## Go (golang) Bindings for 0mq (zmq, zeromq)
-
-[![Build Status](https://travis-ci.org/alecthomas/gozmq.png)](https://travis-ci.org/alecthomas/gozmq)
-
-This package implements [Go](http://golang.org) (golang) bindings for
-the [0mq](http://zeromq.org) C API.
-
-GoZMQ [does not](#zero-copy) support zero-copy.
-
-A full list of examples is included in the [zguide](https://github.com/imatix/zguide/tree/master/examples/Go).
-
-Note that this is *not* the same as [this
-implementation](http://github.com/boggle/gozero) or [this
-implementation](http://code.google.com/p/gozmq/).
-
-## Upgrading
-
-GoZMQ has made some public changes that will break old code.  Fortunately, we've also written a tool based on `go fix` that will upgrade your code for you!  Here's how to run it over your source (after making a backup of course):
-
-    go get github.com/alecthomas/gozmq/gozmqfix
-    cd $YOUR_SOURCE_DIR
-    gozmqfix .
-
-## Installing
-
-GoZMQ currently supports ZMQ 2.1.x, 2.2.x, 3.x and 4.x. Following are instructions on how to compile against these versions.
-
-For ZeroMQ 2.2.x install with:
-
-    go get github.com/alecthomas/gozmq
-
-For 2.1.x install with:
-
-    go get -tags zmq_2_1 github.com/alecthomas/gozmq
-
-For 3.x install with:
-
-    go get -tags zmq_3_x github.com/alecthomas/gozmq
-    
-For 4.x install with:
-
-    go get -tags zmq_4_x github.com/alecthomas/gozmq
-
-### Troubleshooting
-
-#### Go can't find ZMQ
-
-If the go tool can't find zmq and you know it is installed, you may need to override the C compiler/linker flags.
-
-eg. If you installed zmq into `/opt/zmq` you might try:
-
-  CGO_CFLAGS=-I/opt/zmq/include CGO_LDFLAGS=-L/opt/zmq/lib \
-    go get github.com/alecthomas/gozmq
-
-#### Mismatch in version of ZMQ
-
-If you get errors like this with 'go get' or 'go build':
-
-    1: error: 'ZMQ_FOO' undeclared (first use in this function)
-
-There are two possibilities:
-
-1. Your version of zmq is *very* old. In this case you will need to download and build zmq yourself.
-2. You are building gozmq against the wrong version of zmq. See the [installation](#installation) instructions for details on how to target the correct version.
-
-## Differences from the C API
-
-The API implemented by this package does not attempt to expose
-`zmq_msg_t` at all. Instead, `Recv()` and `Send()` both operate on byte
-slices, allocating and freeing the memory automatically. Currently this
-requires copying to/from C malloced memory, but a future implementation
-may be able to avoid this to a certain extent.
-
-All major features are supported: contexts, sockets, devices, and polls.
-
-## Example
-
-Here are direct translations of some of the examples from [this blog
-post](http://nichol.as/zeromq-an-introduction).
-
-A simple echo server:
-
-```go
-package main
-
-import zmq "github.com/alecthomas/gozmq"
-
-func main() {
-  context, _ := zmq.NewContext()
-  socket, _ := context.NewSocket(zmq.REP)
-  socket.Bind("tcp://127.0.0.1:5000")
-  socket.Bind("tcp://127.0.0.1:6000")
-
-  for {
-    msg, _ := socket.Recv(0)
-    println("Got", string(msg))
-    socket.Send(msg, 0)
-  }
-}
-```
-
-A simple client for the above server:
-
-```go
-package main
-
-import "fmt"
-import zmq "github.com/alecthomas/gozmq"
-
-func main() {
-  context, _ := zmq.NewContext()
-  socket, _ := context.NewSocket(zmq.REQ)
-  socket.Connect("tcp://127.0.0.1:5000")
-  socket.Connect("tcp://127.0.0.1:6000")
-
-  for i := 0; i < 10; i++ {
-    msg := fmt.Sprintf("msg %d", i)
-    socket.Send([]byte(msg), 0)
-    println("Sending", msg)
-    socket.Recv(0)
-  }
-}
-```
-
-## Caveats
-
-### Zero-copy
-
-GoZMQ does not support zero-copy.
-
-GoZMQ does not attempt to expose `zmq_msg_t` at all. Instead, `Recv()` and `Send()`
-both operate on byte slices, allocating and freeing the memory automatically.
-Currently this requires copying to/from C malloced memory, but a future
-implementation may be able to avoid this to a certain extent.
-
-
-### Memory management
-
-It's not entirely clear from the 0mq documentation how memory for
-`zmq_msg_t` and packet data is managed once 0mq takes ownership. After
-digging into the source a little, this package operates under the
-following (educated) assumptions:
-
--   References to `zmq_msg_t` structures are not held by the C API
-    beyond the duration of any function call.
--   Packet data is reference counted internally by the C API. The count
-    is incremented when a packet is queued for delivery to a destination
-    (the inference being that for delivery to N destinations, the
-    reference count will be incremented N times) and decremented once
-    the packet has either been delivered or errored.
-
-## Usage
-
-```go
-const (
-  // NewSocket types
-  PAIR   = SocketType(C.ZMQ_PAIR)
-  PUB    = SocketType(C.ZMQ_PUB)
-  SUB    = SocketType(C.ZMQ_SUB)
-  REQ    = SocketType(C.ZMQ_REQ)
-  REP    = SocketType(C.ZMQ_REP)
-  DEALER = SocketType(C.ZMQ_DEALER)
-  ROUTER = SocketType(C.ZMQ_ROUTER)
-  PULL   = SocketType(C.ZMQ_PULL)
-  PUSH   = SocketType(C.ZMQ_PUSH)
-  XPUB   = SocketType(C.ZMQ_XPUB)
-  XSUB   = SocketType(C.ZMQ_XSUB)
-
-  // Deprecated aliases
-  XREQ       = DEALER
-  XREP       = ROUTER
-  UPSTREAM   = PULL
-  DOWNSTREAM = PUSH
-
-  // NewSocket options
-  AFFINITY          = UInt64SocketOption(C.ZMQ_AFFINITY)
-  IDENTITY          = StringSocketOption(C.ZMQ_IDENTITY)
-  SUBSCRIBE         = StringSocketOption(C.ZMQ_SUBSCRIBE)
-  UNSUBSCRIBE       = StringSocketOption(C.ZMQ_UNSUBSCRIBE)
-  RATE              = Int64SocketOption(C.ZMQ_RATE)
-  RECOVERY_IVL      = Int64SocketOption(C.ZMQ_RECOVERY_IVL)
-  SNDBUF            = UInt64SocketOption(C.ZMQ_SNDBUF)
-  RCVBUF            = UInt64SocketOption(C.ZMQ_RCVBUF)
-  FD                = Int64SocketOption(C.ZMQ_FD)
-  EVENTS            = UInt64SocketOption(C.ZMQ_EVENTS)
-  TYPE              = UInt64SocketOption(C.ZMQ_TYPE)
-  LINGER            = IntSocketOption(C.ZMQ_LINGER)
-  RECONNECT_IVL     = IntSocketOption(C.ZMQ_RECONNECT_IVL)
-  RECONNECT_IVL_MAX = IntSocketOption(C.ZMQ_RECONNECT_IVL_MAX)
-  BACKLOG           = IntSocketOption(C.ZMQ_BACKLOG)
-
-  // Send/recv options
-  SNDMORE = SendRecvOption(C.ZMQ_SNDMORE)
-)
-```
-
-```go
-const (
-  POLLIN  = PollEvents(C.ZMQ_POLLIN)
-  POLLOUT = PollEvents(C.ZMQ_POLLOUT)
-  POLLERR = PollEvents(C.ZMQ_POLLERR)
-)
-```
-
-```go
-const (
-  STREAMER  = DeviceType(C.ZMQ_STREAMER)
-  FORWARDER = DeviceType(C.ZMQ_FORWARDER)
-  QUEUE     = DeviceType(C.ZMQ_QUEUE)
-)
-```
-
-```go
-const (
-  RCVTIMEO = IntSocketOption(C.ZMQ_RCVTIMEO)
-  SNDTIMEO = IntSocketOption(C.ZMQ_SNDTIMEO)
-)
-```
-
-```go
-const (
-  RCVMORE           = UInt64SocketOption(C.ZMQ_RCVMORE)
-  RECOVERY_IVL_MSEC = Int64SocketOption(C.ZMQ_RECOVERY_IVL_MSEC)
-  SWAP              = Int64SocketOption(C.ZMQ_SWAP)
-  MCAST_LOOP        = Int64SocketOption(C.ZMQ_MCAST_LOOP)
-  HWM               = UInt64SocketOption(C.ZMQ_HWM)
-  NOBLOCK           = SendRecvOption(C.ZMQ_NOBLOCK)
-
-  // Forwards-compatible aliases:
-  DONTWAIT = NOBLOCK
-)
-```
-
-```go
-const (
-  RCVMORE = IntSocketOption(C.ZMQ_RCVMORE)
-  SNDHWM  = IntSocketOption(C.ZMQ_SNDHWM)
-  RCVHWM  = IntSocketOption(C.ZMQ_RCVHWM)
-
-  // TODO Not documented in the man page...
-  //LAST_ENDPOINT       = UInt64SocketOption(C.ZMQ_LAST_ENDPOINT)
-  FAIL_UNROUTABLE     = BoolSocketOption(C.ZMQ_FAIL_UNROUTABLE)
-  TCP_KEEPALIVE       = IntSocketOption(C.ZMQ_TCP_KEEPALIVE)
-  TCP_KEEPALIVE_CNT   = IntSocketOption(C.ZMQ_TCP_KEEPALIVE_CNT)
-  TCP_KEEPALIVE_IDLE  = IntSocketOption(C.ZMQ_TCP_KEEPALIVE_IDLE)
-  TCP_KEEPALIVE_INTVL = IntSocketOption(C.ZMQ_TCP_KEEPALIVE_INTVL)
-  TCP_ACCEPT_FILTER   = StringSocketOption(C.ZMQ_TCP_ACCEPT_FILTER)
-
-  // Message options
-  MORE = MessageOption(C.ZMQ_MORE)
-
-  // Send/recv options
-  DONTWAIT = SendRecvOption(C.ZMQ_DONTWAIT)
-
-  // Deprecated aliases
-  NOBLOCK = DONTWAIT
-)
-```
-
-```go
-var (
-  // Additional ZMQ errors
-  ENOTSOCK       error = zmqErrno(C.ENOTSOCK)
-  EFSM           error = zmqErrno(C.EFSM)
-  EINVAL         error = zmqErrno(C.EINVAL)
-  ENOCOMPATPROTO error = zmqErrno(C.ENOCOMPATPROTO)
-  ETERM          error = zmqErrno(C.ETERM)
-  EMTHREAD       error = zmqErrno(C.EMTHREAD)
-)
-```
-
-#### func  Device
-
-```go
-func Device(t DeviceType, in, out *Socket) error
-```
-run a zmq_device passing messages between in and out
-
-#### func  Poll
-
-```go
-func Poll(items []PollItem, timeout time.Duration) (count int, err error)
-```
-Poll ZmqSockets and file descriptors for I/O readiness. Timeout is in
-time.Duration. The smallest possible timeout is time.Millisecond for ZeroMQ
-version 3 and above, and time.Microsecond for earlier versions.
-
-#### func  Proxy
-
-```go
-func Proxy(in, out, capture *Socket) error
-```
-run a zmq_proxy with in, out and capture sockets
-
-#### func  Version
-
-```go
-func Version() (int, int, int)
-```
-void zmq_version (int *major, int *minor, int *patch);
-
-#### type BoolSocketOption
-
-```go
-type BoolSocketOption int
-```
-
-
-#### type Context
-
-```go
-type Context struct {
-}
-```
-
-* A context handles socket creation and asynchronous message delivery. * There
-should generally be one context per application.
-
-#### func  NewContext
-
-```go
-func NewContext() (*Context, error)
-```
-Create a new context.
-
-#### func (*Context) Close
-
-```go
-func (c *Context) Close()
-```
-
-#### func (*Context) IOThreads
-
-```go
-func (c *Context) IOThreads() (int, error)
-```
-Get a context option.
-
-#### func (*Context) MaxSockets
-
-```go
-func (c *Context) MaxSockets() (int, error)
-```
-
-#### func (*Context) NewSocket
-
-```go
-func (c *Context) NewSocket(t SocketType) (*Socket, error)
-```
-Create a new socket. void *zmq_socket (void *context, int type);
-
-#### func (*Context) SetIOThreads
-
-```go
-func (c *Context) SetIOThreads(value int) error
-```
-Set a context option.
-
-#### func (*Context) SetMaxSockets
-
-```go
-func (c *Context) SetMaxSockets(value int) error
-```
-
-#### type DeviceType
-
-```go
-type DeviceType int
-```
-
-
-#### type Int64SocketOption
-
-```go
-type Int64SocketOption int
-```
-
-
-#### type IntSocketOption
-
-```go
-type IntSocketOption int
-```
-
-
-#### type MessageOption
-
-```go
-type MessageOption int
-```
-
-
-#### type PollEvents
-
-```go
-type PollEvents C.short
-```
-
-
-#### type PollItem
-
-```go
-type PollItem struct {
-  Socket  *Socket         // socket to poll for events on
-  Fd      ZmqOsSocketType // fd to poll for events on as returned from os.File.Fd()
-  Events  PollEvents      // event set to poll for
-  REvents PollEvents      // events that were present
-}
-```
-
-Item to poll for read/write events on, either a *Socket or a file descriptor
-
-#### type PollItems
-
-```go
-type PollItems []PollItem
-```
-
-a set of items to poll for events on
-
-#### type SendRecvOption
-
-```go
-type SendRecvOption int
-```
-
-
-#### type Socket
-
-```go
-type Socket struct {
-}
-```
-
-
-#### func (*Socket) Affinity
-
-```go
-func (s *Socket) Affinity() (uint64, error)
-```
-ZMQ_AFFINITY: Retrieve I/O thread affinity.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc7
-
-#### func (*Socket) Backlog
-
-```go
-func (s *Socket) Backlog() (int, error)
-```
-ZMQ_BACKLOG: Retrieve maximum length of the queue of outstanding connections.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc18
-
-#### func (*Socket) Bind
-
-```go
-func (s *Socket) Bind(address string) error
-```
-Bind the socket to a listening address. int zmq_bind (void *s, const char
-*addr);
-
-#### func (*Socket) Close
-
-```go
-func (s *Socket) Close() error
-```
-Shutdown the socket. int zmq_close (void *s);
-
-#### func (*Socket) Connect
-
-```go
-func (s *Socket) Connect(address string) error
-```
-Connect the socket to an address. int zmq_connect (void *s, const char *addr);
-
-#### func (*Socket) Events
-
-```go
-func (s *Socket) Events() (uint64, error)
-```
-ZMQ_EVENTS: Retrieve socket event state.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc20
-
-#### func (*Socket) GetSockOptBool
-
-```go
-func (s *Socket) GetSockOptBool(option BoolSocketOption) (value bool, err error)
-```
-
-#### func (*Socket) GetSockOptInt
-
-```go
-func (s *Socket) GetSockOptInt(option IntSocketOption) (value int, err error)
-```
-Get an int option from the socket. int zmq_getsockopt (void *s, int option, void
-*optval, size_t *optvallen);
-
-#### func (*Socket) GetSockOptInt64
-
-```go
-func (s *Socket) GetSockOptInt64(option Int64SocketOption) (value int64, err error)
-```
-Get an int64 option from the socket. int zmq_getsockopt (void *s, int option,
-void *optval, size_t *optvallen);
-
-#### func (*Socket) GetSockOptString
-
-```go
-func (s *Socket) GetSockOptString(option StringSocketOption) (value string, err error)
-```
-Get a string option from the socket. int zmq_getsockopt (void *s, int option,
-void *optval, size_t *optvallen);
-
-#### func (*Socket) GetSockOptUInt64
-
-```go
-func (s *Socket) GetSockOptUInt64(option UInt64SocketOption) (value uint64, err error)
-```
-Get a uint64 option from the socket. int zmq_getsockopt (void *s, int option,
-void *optval, size_t *optvallen);
-
-#### func (*Socket) HWM
-
-```go
-func (s *Socket) HWM() (uint64, error)
-```
-ZMQ_HWM: Retrieve high water mark.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc5
-
-#### func (*Socket) Identity
-
-```go
-func (s *Socket) Identity() (string, error)
-```
-ZMQ_IDENTITY: Retrieve socket identity.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc8
-
-#### func (*Socket) Linger
-
-```go
-func (s *Socket) Linger() (time.Duration, error)
-```
-ZMQ_LINGER: Retrieve linger period for socket shutdown.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc15
-
-#### func (*Socket) McastLoop
-
-```go
-func (s *Socket) McastLoop() (bool, error)
-```
-ZMQ_MCAST_LOOP: Control multicast loop-back.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc12
-
-#### func (*Socket) Rate
-
-```go
-func (s *Socket) Rate() (int64, error)
-```
-ZMQ_RATE: Retrieve multicast data rate.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc9
-
-#### func (*Socket) RcvBuf
-
-```go
-func (s *Socket) RcvBuf() (uint64, error)
-```
-ZMQ_RCVBUF: Retrieve kernel receive buffer size.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc14
-
-#### func (*Socket) RcvHWM
-
-```go
-func (s *Socket) RcvHWM() (int, error)
-```
-ZMQ_RCVHWM: Retrieve high water mark for inbound messages.
-
-See: http://api.zeromq.org/3.2:zmq-getsockopt#toc6
-
-#### func (*Socket) RcvMore
-
-```go
-func (s *Socket) RcvMore() (bool, error)
-```
-ZMQ_RCVMORE: More message parts to follow.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc4
-
-#### func (*Socket) RcvTimeout
-
-```go
-func (s *Socket) RcvTimeout() (time.Duration, error)
-```
-ZMQ_RCVTIMEO: Maximum time before a socket operation returns with EAGAIN.
-
-See: http://api.zeromq.org/2.2:zmq-getsockopt#toc6
-
-#### func (*Socket) ReconnectIvl
-
-```go
-func (s *Socket) ReconnectIvl() (time.Duration, error)
-```
-ZMQ_RECONNECT_IVL: Retrieve reconnection interval.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc16
-
-#### func (*Socket) ReconnectIvlMax
-
-```go
-func (s *Socket) ReconnectIvlMax() (time.Duration, error)
-```
-ZMQ_RECONNECT_IVL_MAX: Retrieve maximum reconnection interval.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc17
-
-#### func (*Socket) RecoveryIvl
-
-```go
-func (s *Socket) RecoveryIvl() (time.Duration, error)
-```
-ZMQ_RECOVERY_IVL_MSEC: Get multicast recovery interval in milliseconds.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc11
-
-#### func (*Socket) Recv
-
-```go
-func (s *Socket) Recv(flags SendRecvOption) (data []byte, err error)
-```
-Receive a message from the socket. int zmq_recv (void *s, zmq_msg_t *msg, int
-flags);
-
-#### func (*Socket) RecvMultipart
-
-```go
-func (s *Socket) RecvMultipart(flags SendRecvOption) (parts [][]byte, err error)
-```
-Receive a multipart message.
-
-#### func (*Socket) Send
-
-```go
-func (s *Socket) Send(data []byte, flags SendRecvOption) error
-```
-Send a message to the socket. int zmq_send (void *s, zmq_msg_t *msg, int flags);
-
-#### func (*Socket) SendMultipart
-
-```go
-func (s *Socket) SendMultipart(parts [][]byte, flags SendRecvOption) (err error)
-```
-Send a multipart message.
-
-#### func (*Socket) SetAffinity
-
-```go
-func (s *Socket) SetAffinity(value uint64) error
-```
-ZMQ_AFFINITY: Set I/O thread affinity.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc5
-
-#### func (*Socket) SetBacklog
-
-```go
-func (s *Socket) SetBacklog(value int) error
-```
-ZMQ_BACKLOG: Set maximum length of the queue of outstanding connections.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc18
-
-#### func (*Socket) SetHWM
-
-```go
-func (s *Socket) SetHWM(value uint64) error
-```
-ZMQ_HWM: Set high water mark.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc3
-
-#### func (*Socket) SetIdentity
-
-```go
-func (s *Socket) SetIdentity(value string) error
-```
-ZMQ_IDENTITY: Set socket identity.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc6
-
-#### func (*Socket) SetLinger
-
-```go
-func (s *Socket) SetLinger(value time.Duration) error
-```
-ZMQ_LINGER: Set linger period for socket shutdown.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc15
-
-#### func (*Socket) SetMcastLoop
-
-```go
-func (s *Socket) SetMcastLoop(value bool) error
-```
-ZMQ_MCAST_LOOP: Control multicast loop-back.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc12
-
-#### func (*Socket) SetRate
-
-```go
-func (s *Socket) SetRate(value int64) error
-```
-ZMQ_RATE: Set multicast data rate.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc9
-
-#### func (*Socket) SetRcvBuf
-
-```go
-func (s *Socket) SetRcvBuf(value uint64) error
-```
-ZMQ_RCVBUF: Set kernel receive buffer size.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc14
-
-#### func (*Socket) SetRcvHWM
-
-```go
-func (s *Socket) SetRcvHWM(value int) error
-```
-ZMQ_RCVHWM: Set high water mark for inbound messages.
-
-See: http://api.zeromq.org/3.2:zmq-setsockopt#toc4
-
-#### func (*Socket) SetRcvTimeout
-
-```go
-func (s *Socket) SetRcvTimeout(value time.Duration) error
-```
-ZMQ_RCVTIMEO: Maximum time before a recv operation returns with EAGAIN.
-
-See: http://api.zeromq.org/2.2:zmq-setsockopt#toc9
-
-#### func (*Socket) SetReconnectIvl
-
-```go
-func (s *Socket) SetReconnectIvl(value time.Duration) error
-```
-ZMQ_RECONNECT_IVL: Set reconnection interval.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc16
-
-#### func (*Socket) SetReconnectIvlMax
-
-```go
-func (s *Socket) SetReconnectIvlMax(value time.Duration) error
-```
-ZMQ_RECONNECT_IVL_MAX: Set maximum reconnection interval.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc17
-
-#### func (*Socket) SetRecoveryIvl
-
-```go
-func (s *Socket) SetRecoveryIvl(value time.Duration) error
-```
-ZMQ_RECOVERY_IVL_MSEC: Set multicast recovery interval in milliseconds.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc11
-
-#### func (*Socket) SetSndBuf
-
-```go
-func (s *Socket) SetSndBuf(value uint64) error
-```
-ZMQ_SNDBUF: Set kernel transmit buffer size.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc13
-
-#### func (*Socket) SetSndHWM
-
-```go
-func (s *Socket) SetSndHWM(value int) error
-```
-ZMQ_SNDHWM: Set high water mark for outbound messages.
-
-See: http://api.zeromq.org/3.2:zmq-setsockopt#toc3
-
-#### func (*Socket) SetSndTimeout
-
-```go
-func (s *Socket) SetSndTimeout(value time.Duration) error
-```
-ZMQ_SNDTIMEO: Maximum time before a send operation returns with EAGAIN.
-
-See: http://api.zeromq.org/2.2:zmq-setsockopt#toc10
-
-#### func (*Socket) SetSockOptInt
-
-```go
-func (s *Socket) SetSockOptInt(option IntSocketOption, value int) error
-```
-Set an int option on the socket. int zmq_setsockopt (void *s, int option, const
-void *optval, size_t optvallen);
-
-#### func (*Socket) SetSockOptInt64
-
-```go
-func (s *Socket) SetSockOptInt64(option Int64SocketOption, value int64) error
-```
-Set an int64 option on the socket. int zmq_setsockopt (void *s, int option,
-const void *optval, size_t optvallen);
-
-#### func (*Socket) SetSockOptString
-
-```go
-func (s *Socket) SetSockOptString(option StringSocketOption, value string) error
-```
-Set a string option on the socket. int zmq_setsockopt (void *s, int option,
-const void *optval, size_t optvallen);
-
-#### func (*Socket) SetSockOptStringNil
-
-```go
-func (s *Socket) SetSockOptStringNil(option StringSocketOption) error
-```
-Set a string option on the socket to nil. int zmq_setsockopt (void *s, int
-option, const void *optval, size_t optvallen);
-
-#### func (*Socket) SetSockOptUInt64
-
-```go
-func (s *Socket) SetSockOptUInt64(option UInt64SocketOption, value uint64) error
-```
-Set a uint64 option on the socket. int zmq_setsockopt (void *s, int option,
-const void *optval, size_t optvallen);
-
-#### func (*Socket) SetSubscribe
-
-```go
-func (s *Socket) SetSubscribe(value string) error
-```
-ZMQ_SUBSCRIBE: Establish message filter.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc7
-
-#### func (*Socket) SetSwap
-
-```go
-func (s *Socket) SetSwap(value int64) error
-```
-ZMQ_SWAP: Set disk offload size.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc4
-
-#### func (*Socket) SetTCPKeepalive
-
-```go
-func (s *Socket) SetTCPKeepalive(value int) error
-```
-ZMQ_TCP_KEEPALIVE: Override SO_KEEPALIVE socket option.
-
-See: http://api.zeromq.org/3.2:zmq-setsockopt#toc25
-
-#### func (*Socket) SetTCPKeepaliveCnt
-
-```go
-func (s *Socket) SetTCPKeepaliveCnt(value int) error
-```
-ZMQ_TCP_KEEPALIVE_CNT: Override TCP_KEEPCNT socket option.
-
-See: http://api.zeromq.org/3.2:zmq-setsockopt#toc27
-
-#### func (*Socket) SetTCPKeepaliveIdle
-
-```go
-func (s *Socket) SetTCPKeepaliveIdle(value int) error
-```
-ZMQ_TCP_KEEPALIVE_IDLE: Override TCP_KEEPCNT(or TCP_KEEPALIVE on some OS).
-
-See: http://api.zeromq.org/3.2:zmq-setsockopt#toc26
-
-#### func (*Socket) SetTCPKeepaliveIntvl
-
-```go
-func (s *Socket) SetTCPKeepaliveIntvl(value int) error
-```
-ZMQ_TCP_KEEPALIVE_INTVL: Override TCP_KEEPINTVL socket option.
-
-See: http://api.zeromq.org/3.2:zmq-setsockopt#toc28
-
-#### func (*Socket) SetUnsubscribe
-
-```go
-func (s *Socket) SetUnsubscribe(value string) error
-```
-ZMQ_UNSUBSCRIBE: Remove message filter.
-
-See: http://api.zeromq.org/2.1:zmq-setsockopt#toc8
-
-#### func (*Socket) SndBuf
-
-```go
-func (s *Socket) SndBuf() (uint64, error)
-```
-ZMQ_SNDBUF: Retrieve kernel transmit buffer size.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc13
-
-#### func (*Socket) SndHWM
-
-```go
-func (s *Socket) SndHWM() (int, error)
-```
-ZMQ_SNDHWM: Retrieves high water mark for outbound messages.
-
-See: http://api.zeromq.org/3.2:zmq-getsockopt#toc5
-
-#### func (*Socket) SndTimeout
-
-```go
-func (s *Socket) SndTimeout() (time.Duration, error)
-```
-ZMQ_SNDTIMEO: Maximum time before a socket operation returns with EAGAIN.
-
-See: http://api.zeromq.org/2.2:zmq-getsockopt#toc7
-
-#### func (*Socket) Swap
-
-```go
-func (s *Socket) Swap() (int64, error)
-```
-ZMQ_SWAP: Retrieve disk offload size.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc6
-
-#### func (*Socket) TCPKeepalive
-
-```go
-func (s *Socket) TCPKeepalive() (int, error)
-```
-ZMQ_TCP_KEEPALIVE: Override SO_KEEPALIVE socket option.
-
-See: http://api.zeromq.org/3.2:zmq-getsockopt#toc26
-
-#### func (*Socket) TCPKeepaliveCnt
-
-```go
-func (s *Socket) TCPKeepaliveCnt() (int, error)
-```
-ZMQ_TCP_KEEPALIVE_CNT: Override TCP_KEEPCNT socket option.
-
-See: http://api.zeromq.org/3.2:zmq-getsockopt#toc28
-
-#### func (*Socket) TCPKeepaliveIdle
-
-```go
-func (s *Socket) TCPKeepaliveIdle() (int, error)
-```
-ZMQ_TCP_KEEPALIVE_IDLE: Override TCP_KEEPCNT(or TCP_KEEPALIVE on some OS).
-
-See: http://api.zeromq.org/3.2:zmq-getsockopt#toc27
-
-#### func (*Socket) TCPKeepaliveIntvl
-
-```go
-func (s *Socket) TCPKeepaliveIntvl() (int, error)
-```
-ZMQ_TCP_KEEPALIVE_INTVL: Override TCP_KEEPINTVL socket option.
-
-See: http://api.zeromq.org/3.2:zmq-getsockopt#toc29
-
-#### func (*Socket) Type
-
-```go
-func (s *Socket) Type() (SocketType, error)
-```
-ZMQ_TYPE: Retrieve socket type.
-
-See: http://api.zeromq.org/2.1:zmq-getsockopt#toc3
-
-#### type SocketType
-
-```go
-type SocketType int
-```
-
-
-#### type StringSocketOption
-
-```go
-type StringSocketOption int
-```
-
-
-#### type UInt64SocketOption
-
-```go
-type UInt64SocketOption int
-```
-
-
-#### type ZmqOsSocketType
-
-```go
-type ZmqOsSocketType C.SOCKET
-```
-
-
-#### func (ZmqOsSocketType) ToRaw
-
-```go
-func (self ZmqOsSocketType) ToRaw() C.SOCKET
-```
-
-*(generated from .[godocdown](https://github.com/robertkrimen/godocdown).md with `godocdown github.com/alecthomas/gozmq > README.md`)*
diff --git a/vendor/github.com/alecthomas/gozmq/zmq.go b/vendor/github.com/alecthomas/gozmq/zmq.go
deleted file mode 100644
index de987f0..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq.go
+++ /dev/null
@@ -1,455 +0,0 @@
-/*
-  Copyright 2010-2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-// Go (golang) Bindings for 0mq (zmq, zeromq)
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-#include <stdlib.h>
-#include <string.h>
-*/
-import "C"
-
-import (
-	"errors"
-	"sync"
-	"syscall"
-	"time"
-	"unsafe"
-)
-
-type SocketType int
-
-type IntSocketOption int
-type Int64SocketOption int
-type UInt64SocketOption int
-type StringSocketOption int
-type BoolSocketOption int
-
-type MessageOption int
-type SendRecvOption int
-
-const (
-	// NewSocket types
-	PAIR   = SocketType(C.ZMQ_PAIR)
-	PUB    = SocketType(C.ZMQ_PUB)
-	SUB    = SocketType(C.ZMQ_SUB)
-	REQ    = SocketType(C.ZMQ_REQ)
-	REP    = SocketType(C.ZMQ_REP)
-	DEALER = SocketType(C.ZMQ_DEALER)
-	ROUTER = SocketType(C.ZMQ_ROUTER)
-	PULL   = SocketType(C.ZMQ_PULL)
-	PUSH   = SocketType(C.ZMQ_PUSH)
-	XPUB   = SocketType(C.ZMQ_XPUB)
-	XSUB   = SocketType(C.ZMQ_XSUB)
-
-	// Deprecated aliases
-	XREQ       = DEALER
-	XREP       = ROUTER
-	UPSTREAM   = PULL
-	DOWNSTREAM = PUSH
-
-	// NewSocket options
-	AFFINITY          = UInt64SocketOption(C.ZMQ_AFFINITY)
-	IDENTITY          = StringSocketOption(C.ZMQ_IDENTITY)
-	SUBSCRIBE         = StringSocketOption(C.ZMQ_SUBSCRIBE)
-	UNSUBSCRIBE       = StringSocketOption(C.ZMQ_UNSUBSCRIBE)
-	RATE              = Int64SocketOption(C.ZMQ_RATE)
-	RECOVERY_IVL      = Int64SocketOption(C.ZMQ_RECOVERY_IVL)
-	SNDBUF            = UInt64SocketOption(C.ZMQ_SNDBUF)
-	RCVBUF            = UInt64SocketOption(C.ZMQ_RCVBUF)
-	FD                = Int64SocketOption(C.ZMQ_FD)
-	EVENTS            = UInt64SocketOption(C.ZMQ_EVENTS)
-	TYPE              = UInt64SocketOption(C.ZMQ_TYPE)
-	LINGER            = IntSocketOption(C.ZMQ_LINGER)
-	RECONNECT_IVL     = IntSocketOption(C.ZMQ_RECONNECT_IVL)
-	RECONNECT_IVL_MAX = IntSocketOption(C.ZMQ_RECONNECT_IVL_MAX)
-	BACKLOG           = IntSocketOption(C.ZMQ_BACKLOG)
-
-	// Send/recv options
-	SNDMORE = SendRecvOption(C.ZMQ_SNDMORE)
-)
-
-type zmqErrno syscall.Errno
-
-var (
-	// Additional ZMQ errors
-	ENOTSOCK       error = zmqErrno(C.ENOTSOCK)
-	EFSM           error = zmqErrno(C.EFSM)
-	EINVAL         error = syscall.EINVAL
-	ENOCOMPATPROTO error = zmqErrno(C.ENOCOMPATPROTO)
-	ETERM          error = zmqErrno(C.ETERM)
-	EMTHREAD       error = zmqErrno(C.EMTHREAD)
-)
-
-type PollEvents C.short
-
-const (
-	POLLIN  = PollEvents(C.ZMQ_POLLIN)
-	POLLOUT = PollEvents(C.ZMQ_POLLOUT)
-	POLLERR = PollEvents(C.ZMQ_POLLERR)
-)
-
-type DeviceType int
-
-const (
-	STREAMER  = DeviceType(C.ZMQ_STREAMER)
-	FORWARDER = DeviceType(C.ZMQ_FORWARDER)
-	QUEUE     = DeviceType(C.ZMQ_QUEUE)
-)
-
-var (
-	pollunit time.Duration
-)
-
-func init() {
-	if v, _, _ := Version(); v < 3 {
-		pollunit = time.Microsecond
-	} else {
-		pollunit = time.Millisecond
-	}
-}
-
-// void zmq_version (int *major, int *minor, int *patch);
-func Version() (int, int, int) {
-	var major, minor, patch C.int
-	C.zmq_version(&major, &minor, &patch)
-	return int(major), int(minor), int(patch)
-}
-
-func (e zmqErrno) Error() string {
-	return C.GoString(C.zmq_strerror(C.int(e)))
-}
-
-// If possible, convert a syscall.Errno to a zmqErrno.
-func casterr(fromcgo error) error {
-	errno, ok := fromcgo.(syscall.Errno)
-	if !ok {
-		return fromcgo
-	}
-	zmqerrno := zmqErrno(errno)
-	switch zmqerrno {
-	case ENOTSOCK:
-		return zmqerrno
-	}
-	if zmqerrno >= C.ZMQ_HAUSNUMERO {
-		return zmqerrno
-	}
-	return errno
-}
-
-func getErrorForTesting() error {
-	return zmqErrno(C.EFSM)
-}
-
-/*
- * A context handles socket creation and asynchronous message delivery.
- * There should generally be one context per application.
- */
-type Context struct {
-	c         unsafe.Pointer
-	mutex     sync.Mutex // ensure init is only called once
-	init      func()     // func that calls zmq_init
-	err       error      // error returned from zmq_init
-	iothreads int        // hold the iothreads option until zmq_init time
-}
-
-// Create a new context.
-func NewContext() (*Context, error) {
-	c := &Context{iothreads: 1}
-	c.init = func() {
-		c.mutex.Lock()
-		defer c.mutex.Unlock()
-		if c.c == nil && c.err == nil {
-			// C.NULL is correct but causes a runtime failure on darwin at present
-			if ptr, err := C.zmq_init(C.int(c.iothreads)); ptr != nil /*C.NULL*/ {
-				c.c = ptr
-			} else {
-				c.err = casterr(err)
-			}
-		}
-	}
-	return c, nil
-}
-
-func (c *Context) Close() {
-	// C.NULL is correct but causes a runtime failure on darwin at present
-	if c.c != nil /*C.NULL*/ {
-		C.zmq_term(c.c)
-	}
-}
-
-// Create a new socket.
-// void *zmq_socket (void *context, int type);
-func (c *Context) NewSocket(t SocketType) (*Socket, error) {
-	if c.init(); c.err != nil {
-		return nil, c.err
-	}
-	s, err := C.zmq_socket(c.c, C.int(t))
-	// C.NULL is correct but causes a runtime failure on darwin at present
-	if s != nil /*C.NULL*/ {
-		return &Socket{c: c, s: s}, nil
-	}
-	return nil, casterr(err)
-}
-
-type Socket struct {
-	// XXX Ensure the zmq context doesn't get destroyed underneath us.
-	c *Context
-	s unsafe.Pointer
-}
-
-// Shutdown the socket.
-// int zmq_close (void *s);
-func (s *Socket) Close() error {
-	if s.c == nil {
-		return ENOTSOCK
-	}
-	if rc, err := C.zmq_close(s.s); rc != 0 {
-		return casterr(err)
-	}
-	s.c = nil
-	return nil
-}
-
-// Set an int option on the socket.
-// int zmq_setsockopt (void *s, int option, const void *optval, size_t optvallen);
-func (s *Socket) SetSockOptInt(option IntSocketOption, value int) error {
-	val := C.int(value)
-	if rc, err := C.zmq_setsockopt(s.s, C.int(option), unsafe.Pointer(&val), C.size_t(unsafe.Sizeof(val))); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Set an int64 option on the socket.
-// int zmq_setsockopt (void *s, int option, const void *optval, size_t optvallen);
-func (s *Socket) SetSockOptInt64(option Int64SocketOption, value int64) error {
-	if rc, err := C.zmq_setsockopt(s.s, C.int(option), unsafe.Pointer(&value), C.size_t(unsafe.Sizeof(value))); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Set a uint64 option on the socket.
-// int zmq_setsockopt (void *s, int option, const void *optval, size_t optvallen);
-func (s *Socket) SetSockOptUInt64(option UInt64SocketOption, value uint64) error {
-	if rc, err := C.zmq_setsockopt(s.s, C.int(option), unsafe.Pointer(&value), C.size_t(unsafe.Sizeof(value))); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Set a string option on the socket.
-// int zmq_setsockopt (void *s, int option, const void *optval, size_t optvallen);
-func (s *Socket) SetSockOptString(option StringSocketOption, value string) error {
-	v := C.CString(value)
-	defer C.free(unsafe.Pointer(v))
-	if rc, err := C.zmq_setsockopt(s.s, C.int(option), unsafe.Pointer(v), C.size_t(len(value))); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Set a string option on the socket to nil.
-// int zmq_setsockopt (void *s, int option, const void *optval, size_t optvallen);
-func (s *Socket) SetSockOptStringNil(option StringSocketOption) error {
-	if rc, err := C.zmq_setsockopt(s.s, C.int(option), nil, 0); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Get an int option from the socket.
-// int zmq_getsockopt (void *s, int option, void *optval, size_t *optvallen);
-func (s *Socket) GetSockOptInt(option IntSocketOption) (value int, err error) {
-	size := C.size_t(unsafe.Sizeof(value))
-	var rc C.int
-	if rc, err = C.zmq_getsockopt(s.s, C.int(option), unsafe.Pointer(&value), &size); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	return
-}
-
-// Get an int64 option from the socket.
-// int zmq_getsockopt (void *s, int option, void *optval, size_t *optvallen);
-func (s *Socket) GetSockOptInt64(option Int64SocketOption) (value int64, err error) {
-	size := C.size_t(unsafe.Sizeof(value))
-	var rc C.int
-	if rc, err = C.zmq_getsockopt(s.s, C.int(option), unsafe.Pointer(&value), &size); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	return
-}
-
-// Get a uint64 option from the socket.
-// int zmq_getsockopt (void *s, int option, void *optval, size_t *optvallen);
-func (s *Socket) GetSockOptUInt64(option UInt64SocketOption) (value uint64, err error) {
-	size := C.size_t(unsafe.Sizeof(value))
-	var rc C.int
-	if rc, err = C.zmq_getsockopt(s.s, C.int(option), unsafe.Pointer(&value), &size); rc != 0 {
-		println("GetSockOptUInt64:", err.Error())
-		err = casterr(err)
-		return
-	}
-	return
-}
-
-// Get a string option from the socket.
-// int zmq_getsockopt (void *s, int option, void *optval, size_t *optvallen);
-func (s *Socket) GetSockOptString(option StringSocketOption) (value string, err error) {
-	var buffer [1024]byte
-	var size C.size_t = 1024
-	var rc C.int
-	if rc, err = C.zmq_getsockopt(s.s, C.int(option), unsafe.Pointer(&buffer), &size); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	value = string(buffer[:size])
-	return
-}
-
-func (s *Socket) GetSockOptBool(option BoolSocketOption) (value bool, err error) {
-	size := C.size_t(unsafe.Sizeof(value))
-	var rc C.int
-	if rc, err = C.zmq_getsockopt(s.s, C.int(option), unsafe.Pointer(&value), &size); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	return
-}
-
-// Bind the socket to a listening address.
-// int zmq_bind (void *s, const char *addr);
-func (s *Socket) Bind(address string) error {
-	a := C.CString(address)
-	defer C.free(unsafe.Pointer(a))
-	if rc, err := C.zmq_bind(s.s, a); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Connect the socket to an address.
-// int zmq_connect (void *s, const char *addr);
-func (s *Socket) Connect(address string) error {
-	if s.c == nil {
-		return ENOTSOCK
-	}
-	a := C.CString(address)
-	defer C.free(unsafe.Pointer(a))
-	if rc, err := C.zmq_connect(s.s, a); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Send a multipart message.
-func (s *Socket) SendMultipart(parts [][]byte, flags SendRecvOption) (err error) {
-	for i := 0; i < len(parts)-1; i++ {
-		if err = s.Send(parts[i], SNDMORE|flags); err != nil {
-			return
-		}
-	}
-	err = s.Send(parts[(len(parts)-1)], flags)
-	return
-}
-
-// Receive a multipart message.
-func (s *Socket) RecvMultipart(flags SendRecvOption) (parts [][]byte, err error) {
-	parts = make([][]byte, 0)
-	for {
-		var data []byte
-		var more bool
-
-		data, err = s.Recv(flags)
-		if err != nil {
-			return
-		}
-		parts = append(parts, data)
-		more, err = s.getRcvmore()
-		if err != nil {
-			return
-		}
-		if !more {
-			break
-		}
-	}
-	return
-}
-
-// return the
-func (s *Socket) apiSocket() unsafe.Pointer {
-	return s.s
-}
-
-// Item to poll for read/write events on, either a *Socket or a file descriptor
-type PollItem struct {
-	Socket  *Socket         // socket to poll for events on
-	Fd      ZmqOsSocketType // fd to poll for events on as returned from os.File.Fd()
-	Events  PollEvents      // event set to poll for
-	REvents PollEvents      // events that were present
-}
-
-// a set of items to poll for events on
-type PollItems []PollItem
-
-// Poll ZmqSockets and file descriptors for I/O readiness. Timeout is in
-// time.Duration. The smallest possible timeout is time.Millisecond for
-// ZeroMQ version 3 and above, and time.Microsecond for earlier versions.
-func Poll(items []PollItem, timeout time.Duration) (count int, err error) {
-	zitems := make([]C.zmq_pollitem_t, len(items))
-	for i, pi := range items {
-		zitems[i].socket = pi.Socket.apiSocket()
-		zitems[i].fd = pi.Fd.ToRaw()
-		zitems[i].events = C.short(pi.Events)
-	}
-	ztimeout := C.long(-1)
-	if timeout >= 0 {
-		ztimeout = C.long(uint64(timeout / pollunit))
-	}
-	rc, err := C.zmq_poll(&zitems[0], C.int(len(zitems)), ztimeout)
-	if rc == -1 {
-		return 0, casterr(err)
-	}
-
-	for i, zi := range zitems {
-		items[i].REvents = PollEvents(zi.revents)
-	}
-
-	return int(rc), nil
-}
-
-// run a zmq_device passing messages between in and out
-func Device(t DeviceType, in, out *Socket) error {
-	if rc, err := C.zmq_device(C.int(t), in.apiSocket(), out.apiSocket()); rc != 0 {
-		return casterr(err)
-	}
-	return errors.New("zmq_device() returned unexpectedly.")
-}
-
-// XXX For now, this library abstracts zmq_msg_t out of the API.
-// int zmq_msg_init (zmq_msg_t *msg);
-// int zmq_msg_init_size (zmq_msg_t *msg, size_t size);
-// int zmq_msg_close (zmq_msg_t *msg);
-// size_t zmq_msg_size (zmq_msg_t *msg);
-// void *zmq_msg_data (zmq_msg_t *msg);
-// int zmq_msg_copy (zmq_msg_t *dest, zmq_msg_t *src);
-// int zmq_msg_move (zmq_msg_t *dest, zmq_msg_t *src);
diff --git a/vendor/github.com/alecthomas/gozmq/zmq_2_2.go b/vendor/github.com/alecthomas/gozmq/zmq_2_2.go
deleted file mode 100644
index 66775e2..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq_2_2.go
+++ /dev/null
@@ -1,30 +0,0 @@
-// +build !zmq_2_1
-
-/*
-  Copyright 2010-2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-*/
-import "C"
-
-const (
-	RCVTIMEO = IntSocketOption(C.ZMQ_RCVTIMEO)
-	SNDTIMEO = IntSocketOption(C.ZMQ_SNDTIMEO)
-)
diff --git a/vendor/github.com/alecthomas/gozmq/zmq_2_x.go b/vendor/github.com/alecthomas/gozmq/zmq_2_x.go
deleted file mode 100644
index 45be2ad..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq_2_x.go
+++ /dev/null
@@ -1,110 +0,0 @@
-// +build !zmq_3_x,!zmq_4_x
-
-/*
-  Copyright 2010-2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-#include <stdlib.h>
-#include <string.h>
-*/
-import "C"
-import "unsafe"
-
-const (
-	RCVMORE           = UInt64SocketOption(C.ZMQ_RCVMORE)
-	RECOVERY_IVL_MSEC = Int64SocketOption(C.ZMQ_RECOVERY_IVL_MSEC)
-	SWAP              = Int64SocketOption(C.ZMQ_SWAP)
-	MCAST_LOOP        = Int64SocketOption(C.ZMQ_MCAST_LOOP)
-	HWM               = UInt64SocketOption(C.ZMQ_HWM)
-	NOBLOCK           = SendRecvOption(C.ZMQ_NOBLOCK)
-
-	// Forwards-compatible aliases:
-	DONTWAIT = NOBLOCK
-)
-
-// Get a context option.
-func (c *Context) IOThreads() (int, error) {
-	return c.iothreads, nil
-}
-
-// Set a context option.
-func (c *Context) SetIOThreads(value int) error {
-	c.iothreads = value
-	return nil
-}
-
-// Send a message to the socket.
-// int zmq_send (void *s, zmq_msg_t *msg, int flags);
-func (s *Socket) Send(data []byte, flags SendRecvOption) error {
-	var m C.zmq_msg_t
-	// Copy data array into C-allocated buffer.
-	size := C.size_t(len(data))
-
-	if rc, err := C.zmq_msg_init_size(&m, size); rc != 0 {
-		return casterr(err)
-	}
-
-	if size > 0 {
-		// FIXME Ideally this wouldn't require a copy.
-		C.memcpy(C.zmq_msg_data(&m), unsafe.Pointer(&data[0]), size) // XXX I hope this works...(seems to)
-	}
-
-	if rc, err := C.zmq_send(s.s, &m, C.int(flags)); rc != 0 {
-		// zmq_send did not take ownership, free message
-		C.zmq_msg_close(&m)
-		return casterr(err)
-	}
-	return nil
-}
-
-// Receive a message from the socket.
-// int zmq_recv (void *s, zmq_msg_t *msg, int flags);
-func (s *Socket) Recv(flags SendRecvOption) (data []byte, err error) {
-	// Allocate and initialise a new zmq_msg_t
-	var m C.zmq_msg_t
-	var rc C.int
-	if rc, err = C.zmq_msg_init(&m); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	defer C.zmq_msg_close(&m)
-	// Receive into message
-	if rc, err = C.zmq_recv(s.s, &m, C.int(flags)); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	err = nil
-	// Copy message data into a byte array
-	// FIXME Ideally this wouldn't require a copy.
-	size := C.zmq_msg_size(&m)
-	if size > 0 {
-		data = C.GoBytes(C.zmq_msg_data(&m), C.int(size))
-	} else {
-		data = nil
-	}
-	return
-}
-
-// Portability helper
-func (s *Socket) getRcvmore() (more bool, err error) {
-	value, err := s.GetSockOptUInt64(RCVMORE)
-	more = value != 0
-	return
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmq_3_x.go b/vendor/github.com/alecthomas/gozmq/zmq_3_x.go
deleted file mode 100644
index c1d0692..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq_3_x.go
+++ /dev/null
@@ -1,237 +0,0 @@
-// +build zmq_3_x zmq_4_x
-
-/*
-  Copyright 2010-2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-#include <stdlib.h>
-#include <string.h>
-*/
-import "C"
-import (
-	"errors"
-	"unsafe"
-)
-
-const (
-	RCVMORE = IntSocketOption(C.ZMQ_RCVMORE)
-	SNDHWM  = IntSocketOption(C.ZMQ_SNDHWM)
-	RCVHWM  = IntSocketOption(C.ZMQ_RCVHWM)
-
-	// TODO Not documented in the man page...
-	//LAST_ENDPOINT       = UInt64SocketOption(C.ZMQ_LAST_ENDPOINT)
-	DELAY_ATTACH_ON_CONNECT = IntSocketOption(C.ZMQ_DELAY_ATTACH_ON_CONNECT)
-	FAIL_UNROUTABLE         = BoolSocketOption(C.ZMQ_FAIL_UNROUTABLE)
-	IPV4ONLY                = IntSocketOption(C.ZMQ_IPV4ONLY)
-	MAXMSGSIZE              = Int64SocketOption(C.ZMQ_MAXMSGSIZE)
-	ROUTER_MANDATORY        = IntSocketOption(C.ZMQ_ROUTER_MANDATORY)
-	TCP_KEEPALIVE           = IntSocketOption(C.ZMQ_TCP_KEEPALIVE)
-	TCP_KEEPALIVE_CNT       = IntSocketOption(C.ZMQ_TCP_KEEPALIVE_CNT)
-	TCP_KEEPALIVE_IDLE      = IntSocketOption(C.ZMQ_TCP_KEEPALIVE_IDLE)
-	TCP_KEEPALIVE_INTVL     = IntSocketOption(C.ZMQ_TCP_KEEPALIVE_INTVL)
-	TCP_ACCEPT_FILTER       = StringSocketOption(C.ZMQ_TCP_ACCEPT_FILTER)
-	XPUB_VERBOSE            = IntSocketOption(C.ZMQ_XPUB_VERBOSE)
-
-	// Message options
-	MORE = MessageOption(C.ZMQ_MORE)
-
-	// Send/recv options
-	DONTWAIT = SendRecvOption(C.ZMQ_DONTWAIT)
-
-	// Deprecated aliases
-	NOBLOCK = DONTWAIT
-)
-
-// Socket transport events
-type Event int
-
-const (
-	EVENT_CONNECTED       = Event(C.ZMQ_EVENT_CONNECTED)
-	EVENT_CONNECT_DELAYED = Event(C.ZMQ_EVENT_CONNECT_DELAYED)
-	EVENT_CONNECT_RETRIED = Event(C.ZMQ_EVENT_CONNECT_RETRIED)
-
-	EVENT_LISTENING   = Event(C.ZMQ_EVENT_LISTENING)
-	EVENT_BIND_FAILED = Event(C.ZMQ_EVENT_BIND_FAILED)
-
-	EVENT_ACCEPTED      = Event(C.ZMQ_EVENT_ACCEPTED)
-	EVENT_ACCEPT_FAILED = Event(C.ZMQ_EVENT_ACCEPT_FAILED)
-
-	EVENT_CLOSED       = Event(C.ZMQ_EVENT_CLOSED)
-	EVENT_CLOSE_FAILED = Event(C.ZMQ_EVENT_CLOSE_FAILED)
-	EVENT_DISCONNECTED = Event(C.ZMQ_EVENT_DISCONNECTED)
-
-	EVENT_ALL = EVENT_CONNECTED | EVENT_CONNECT_DELAYED |
-		EVENT_CONNECT_RETRIED | EVENT_LISTENING | EVENT_BIND_FAILED |
-		EVENT_ACCEPTED | EVENT_ACCEPT_FAILED | EVENT_CLOSED |
-		EVENT_CLOSE_FAILED | EVENT_DISCONNECTED
-)
-
-// Get a context option.
-// int zmq_ctx_get (void *c, int);
-func (c *Context) get(option C.int) (int, error) {
-	if c.init(); c.err != nil {
-		return -1, c.err
-	}
-	var value C.int
-	var err error
-	if value, err = C.zmq_ctx_get(c.c, option); err != nil {
-		return -1, casterr(err)
-	}
-	return int(value), nil
-}
-
-// Set a context option.
-// int zmq_ctx_set (void *c, int, int);
-func (c *Context) set(option C.int, value int) error {
-	if c.init(); c.err != nil {
-		return c.err
-	}
-	if rc, err := C.zmq_ctx_set(c.c, option, C.int(value)); rc == -1 {
-		return casterr(err)
-	}
-	return nil
-}
-
-func (c *Context) IOThreads() (int, error) {
-	return c.get(C.ZMQ_IO_THREADS)
-}
-
-func (c *Context) MaxSockets() (int, error) {
-	return c.get(C.ZMQ_MAX_SOCKETS)
-}
-
-func (c *Context) SetIOThreads(value int) error {
-	return c.set(C.ZMQ_IO_THREADS, value)
-}
-
-func (c *Context) SetMaxSockets(value int) error {
-	return c.set(C.ZMQ_MAX_SOCKETS, value)
-}
-
-func (s *Socket) SetHWM(value int) error {
-	snd := s.SetSndHWM(value)
-	rcv := s.SetRcvHWM(value)
-	if snd != nil {
-		return snd
-	}
-	return rcv
-}
-
-func (s *Socket) SetTCPAcceptFilterNil() error {
-	return s.SetSockOptStringNil(TCP_ACCEPT_FILTER)
-}
-
-// Disconnect the socket from the address.
-// int zmq_disconnect (void *s, const char *addr);
-func (s *Socket) Disconnect(address string) error {
-	if s.c == nil {
-		return ENOTSOCK
-	}
-	a := C.CString(address)
-	defer C.free(unsafe.Pointer(a))
-	if rc, err := C.zmq_disconnect(s.s, a); rc != 0 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Send a message to the socket.
-// int zmq_send (void *s, zmq_msg_t *msg, int flags);
-func (s *Socket) Send(data []byte, flags SendRecvOption) error {
-	var m C.zmq_msg_t
-	// Copy data array into C-allocated buffer.
-	size := C.size_t(len(data))
-
-	if rc, err := C.zmq_msg_init_size(&m, size); rc != 0 {
-		return casterr(err)
-	}
-
-	if size > 0 {
-		// FIXME Ideally this wouldn't require a copy.
-		C.memcpy(C.zmq_msg_data(&m), unsafe.Pointer(&data[0]), size) // XXX I hope this works...(seems to)
-	}
-
-	if rc, err := C.zmq_sendmsg(s.s, &m, C.int(flags)); rc == -1 {
-		// zmq_send did not take ownership, free message
-		C.zmq_msg_close(&m)
-		return casterr(err)
-	}
-	return nil
-}
-
-// Receive a message from the socket.
-// int zmq_recv (void *s, zmq_msg_t *msg, int flags);
-func (s *Socket) Recv(flags SendRecvOption) (data []byte, err error) {
-	// Allocate and initialise a new zmq_msg_t
-	var m C.zmq_msg_t
-	var rc C.int
-	if rc, err = C.zmq_msg_init(&m); rc != 0 {
-		err = casterr(err)
-		return
-	}
-	defer C.zmq_msg_close(&m)
-	// Receive into message
-	if rc, err = C.zmq_recvmsg(s.s, &m, C.int(flags)); rc == -1 {
-		err = casterr(err)
-		return
-	}
-	err = nil
-	// Copy message data into a byte array
-	// FIXME Ideally this wouldn't require a copy.
-	size := C.zmq_msg_size(&m)
-	if size > 0 {
-		data = C.GoBytes(C.zmq_msg_data(&m), C.int(size))
-	} else {
-		data = nil
-	}
-	return
-}
-
-// Register a monitoring callback endpoint.
-// int zmq_socket_monitor (void *s, const char *addr, int events);
-func (s *Socket) Monitor(address string, events Event) error {
-	a := C.CString(address)
-	defer C.free(unsafe.Pointer(a))
-
-	rc, err := C.zmq_socket_monitor(s.apiSocket(), a, C.int(events))
-	if rc == -1 {
-		return casterr(err)
-	}
-	return nil
-}
-
-// Portability helper
-func (s *Socket) getRcvmore() (more bool, err error) {
-	value, err := s.GetSockOptInt(RCVMORE)
-	more = value != 0
-	return
-}
-
-// run a zmq_proxy with in, out and capture sockets
-func Proxy(in, out, capture *Socket) error {
-	var c unsafe.Pointer
-	if capture != nil {
-		c = capture.apiSocket()
-	}
-	if rc, err := C.zmq_proxy(in.apiSocket(), out.apiSocket(), c); rc != 0 {
-		return casterr(err)
-	}
-	return errors.New("zmq_proxy() returned unexpectedly.")
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmq_4_x.go b/vendor/github.com/alecthomas/gozmq/zmq_4_x.go
deleted file mode 100644
index 7fdacbc..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq_4_x.go
+++ /dev/null
@@ -1,46 +0,0 @@
-// +build zmq_4_x
-
-/*
-  Copyright 2010-2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-#include <stdlib.h>
-#include <string.h>
-*/
-import "C"
-
-const (
-	IPV6            = IntSocketOption(C.ZMQ_IPV6)
-	IMMEDIATE       = IntSocketOption(C.ZMQ_IMMEDIATE)
-	MECHANISM       = IntSocketOption(C.ZMQ_MECHANISM)
-	PLAIN_SERVER    = IntSocketOption(C.ZMQ_PLAIN_SERVER)
-	PLAIN_USERNAME  = StringSocketOption(C.ZMQ_PLAIN_USERNAME)
-	PLAIN_PASSWORD  = StringSocketOption(C.ZMQ_PLAIN_PASSWORD)
-	CURVE_PUBLICKEY = StringSocketOption(C.ZMQ_CURVE_PUBLICKEY)
-	CURVE_SECRETKEY = StringSocketOption(C.ZMQ_CURVE_SECRETKEY)
-	CURVE_SERVERKEY = StringSocketOption(C.ZMQ_CURVE_SERVERKEY)
-	ZAP_DOMAIN      = StringSocketOption(C.ZMQ_ZAP_DOMAIN)
-	ROUTER_RAW      = IntSocketOption(C.ZMQ_ROUTER_RAW)
-	PROBE_ROUTER    = IntSocketOption(C.ZMQ_PROBE_ROUTER)
-	REQ_CORRELATE   = IntSocketOption(C.ZMQ_REQ_CORRELATE)
-	REQ_RELAXED     = IntSocketOption(C.ZMQ_REQ_RELAXED)
-	CURVE_SERVER    = IntSocketOption(C.ZMQ_CURVE_SERVER)
-	CONFLATE        = IntSocketOption(C.ZMQ_CONFLATE)
-)
diff --git a/vendor/github.com/alecthomas/gozmq/zmq_unix.go b/vendor/github.com/alecthomas/gozmq/zmq_unix.go
deleted file mode 100644
index 0c3d2fc..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq_unix.go
+++ /dev/null
@@ -1,31 +0,0 @@
-// +build darwin freebsd linux netbsd openbsd
-
-/*
-  Copyright 2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-*/
-import "C"
-
-type ZmqOsSocketType C.int
-
-func (self ZmqOsSocketType) ToRaw() C.int {
-	return C.int(self)
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmq_windows.go b/vendor/github.com/alecthomas/gozmq/zmq_windows.go
deleted file mode 100644
index 8fb2f6f..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmq_windows.go
+++ /dev/null
@@ -1,29 +0,0 @@
-/*
-  Copyright 2012 Alec Thomas
-
-  Licensed under the Apache License, Version 2.0 (the "License");
-  you may not use this file except in compliance with the License.
-  You may obtain a copy of the License at
-
-    http://www.apache.org/licenses/LICENSE-2.0
-
-  Unless required by applicable law or agreed to in writing, software
-  distributed under the License is distributed on an "AS IS" BASIS,
-  WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
-  See the License for the specific language governing permissions and
-  limitations under the License.
-*/
-
-package gozmq
-
-/*
-#cgo !windows pkg-config: libzmq
-#include <zmq.h>
-*/
-import "C"
-
-type ZmqOsSocketType C.SOCKET
-
-func (self ZmqOsSocketType) ToRaw() C.SOCKET {
-	return C.SOCKET(self)
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmqgen_2_1.go b/vendor/github.com/alecthomas/gozmq/zmqgen_2_1.go
deleted file mode 100644
index 0eb1ae3..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmqgen_2_1.go
+++ /dev/null
@@ -1,272 +0,0 @@
-// +build zmq_2_1
-//
-
-package gozmq
-
-import (
-	"time"
-)
-
-// This file was generated automatically.  Changes made here will be lost.
-
-// Socket Option Getters
-
-// ZMQ_TYPE: Retrieve socket type.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc3
-//
-func (s *Socket) Type() (SocketType, error) {
-	value, err := s.GetSockOptUInt64(TYPE)
-	return SocketType(value), err
-}
-
-// ZMQ_RCVMORE: More message parts to follow.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc4
-//
-func (s *Socket) RcvMore() (bool, error) {
-	value, err := s.GetSockOptUInt64(RCVMORE)
-	return value != 0, err
-}
-
-// ZMQ_HWM: Retrieve high water mark.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc5
-//
-func (s *Socket) HWM() (uint64, error) {
-	return s.GetSockOptUInt64(HWM)
-}
-
-// ZMQ_SWAP: Retrieve disk offload size.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc6
-//
-func (s *Socket) Swap() (int64, error) {
-	return s.GetSockOptInt64(SWAP)
-}
-
-// ZMQ_AFFINITY: Retrieve I/O thread affinity.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc7
-//
-func (s *Socket) Affinity() (uint64, error) {
-	return s.GetSockOptUInt64(AFFINITY)
-}
-
-// ZMQ_IDENTITY: Retrieve socket identity.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc8
-//
-func (s *Socket) Identity() (string, error) {
-	return s.GetSockOptString(IDENTITY)
-}
-
-// ZMQ_RATE: Retrieve multicast data rate.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc9
-//
-func (s *Socket) Rate() (int64, error) {
-	return s.GetSockOptInt64(RATE)
-}
-
-// ZMQ_RECOVERY_IVL_MSEC: Get multicast recovery interval in milliseconds.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc11
-//
-func (s *Socket) RecoveryIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt64(RECOVERY_IVL_MSEC)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_MCAST_LOOP: Control multicast loop-back.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc12
-//
-func (s *Socket) McastLoop() (bool, error) {
-	value, err := s.GetSockOptInt64(MCAST_LOOP)
-	return value != 0, err
-}
-
-// ZMQ_SNDBUF: Retrieve kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc13
-//
-func (s *Socket) SndBuf() (uint64, error) {
-	return s.GetSockOptUInt64(SNDBUF)
-}
-
-// ZMQ_RCVBUF: Retrieve kernel receive buffer size.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc14
-//
-func (s *Socket) RcvBuf() (uint64, error) {
-	return s.GetSockOptUInt64(RCVBUF)
-}
-
-// ZMQ_LINGER: Retrieve linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc15
-//
-func (s *Socket) Linger() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(LINGER)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL: Retrieve reconnection interval.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc16
-//
-func (s *Socket) ReconnectIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Retrieve maximum reconnection interval.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc17
-//
-func (s *Socket) ReconnectIvlMax() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL_MAX)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_BACKLOG: Retrieve maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc18
-//
-func (s *Socket) Backlog() (int, error) {
-	return s.GetSockOptInt(BACKLOG)
-}
-
-// ZMQ_EVENTS: Retrieve socket event state.
-//
-// See: http://api.zeromq.org/2.1:zmq-getsockopt#toc20
-//
-func (s *Socket) Events() (uint64, error) {
-	return s.GetSockOptUInt64(EVENTS)
-}
-
-// Socket Option Setters
-
-// ZMQ_HWM: Set high water mark.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc3
-//
-func (s *Socket) SetHWM(value uint64) error {
-	return s.SetSockOptUInt64(HWM, value)
-}
-
-// ZMQ_SWAP: Set disk offload size.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc4
-//
-func (s *Socket) SetSwap(value int64) error {
-	return s.SetSockOptInt64(SWAP, value)
-}
-
-// ZMQ_AFFINITY: Set I/O thread affinity.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc5
-//
-func (s *Socket) SetAffinity(value uint64) error {
-	return s.SetSockOptUInt64(AFFINITY, value)
-}
-
-// ZMQ_IDENTITY: Set socket identity.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc6
-//
-func (s *Socket) SetIdentity(value string) error {
-	return s.SetSockOptString(IDENTITY, value)
-}
-
-// ZMQ_SUBSCRIBE: Establish message filter.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc7
-//
-func (s *Socket) SetSubscribe(value string) error {
-	return s.SetSockOptString(SUBSCRIBE, value)
-}
-
-// ZMQ_UNSUBSCRIBE: Remove message filter.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc8
-//
-func (s *Socket) SetUnsubscribe(value string) error {
-	return s.SetSockOptString(UNSUBSCRIBE, value)
-}
-
-// ZMQ_RATE: Set multicast data rate.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc9
-//
-func (s *Socket) SetRate(value int64) error {
-	return s.SetSockOptInt64(RATE, value)
-}
-
-// ZMQ_RECOVERY_IVL_MSEC: Set multicast recovery interval in milliseconds.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc11
-//
-func (s *Socket) SetRecoveryIvl(value time.Duration) error {
-	return s.SetSockOptInt64(RECOVERY_IVL_MSEC, int64(value/time.Millisecond))
-}
-
-// ZMQ_MCAST_LOOP: Control multicast loop-back.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc12
-//
-func (s *Socket) SetMcastLoop(value bool) error {
-	if value {
-		return s.SetSockOptInt64(MCAST_LOOP, 1)
-	}
-	return s.SetSockOptInt64(MCAST_LOOP, 0)
-}
-
-// ZMQ_SNDBUF: Set kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc13
-//
-func (s *Socket) SetSndBuf(value uint64) error {
-	return s.SetSockOptUInt64(SNDBUF, value)
-}
-
-// ZMQ_RCVBUF: Set kernel receive buffer size.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc14
-//
-func (s *Socket) SetRcvBuf(value uint64) error {
-	return s.SetSockOptUInt64(RCVBUF, value)
-}
-
-// ZMQ_LINGER: Set linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc15
-//
-func (s *Socket) SetLinger(value time.Duration) error {
-	return s.SetSockOptInt(LINGER, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL: Set reconnection interval.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc16
-//
-func (s *Socket) SetReconnectIvl(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Set maximum reconnection interval.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc17
-//
-func (s *Socket) SetReconnectIvlMax(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL_MAX, int(value/time.Millisecond))
-}
-
-// ZMQ_BACKLOG: Set maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/2.1:zmq-setsockopt#toc18
-//
-func (s *Socket) SetBacklog(value int) error {
-	return s.SetSockOptInt(BACKLOG, value)
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmqgen_2_2.go b/vendor/github.com/alecthomas/gozmq/zmqgen_2_2.go
deleted file mode 100644
index 77cbadd..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmqgen_2_2.go
+++ /dev/null
@@ -1,306 +0,0 @@
-// +build !zmq_2_1,!zmq_3_x,!zmq_4_x
-//
-
-package gozmq
-
-import (
-	"time"
-)
-
-// This file was generated automatically.  Changes made here will be lost.
-
-// Socket Option Getters
-
-// ZMQ_TYPE: Retrieve socket type.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc3
-//
-func (s *Socket) Type() (SocketType, error) {
-	value, err := s.GetSockOptUInt64(TYPE)
-	return SocketType(value), err
-}
-
-// ZMQ_RCVMORE: More message parts to follow.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc4
-//
-func (s *Socket) RcvMore() (bool, error) {
-	value, err := s.GetSockOptUInt64(RCVMORE)
-	return value != 0, err
-}
-
-// ZMQ_HWM: Retrieve high water mark.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc5
-//
-func (s *Socket) HWM() (uint64, error) {
-	return s.GetSockOptUInt64(HWM)
-}
-
-// ZMQ_RCVTIMEO: Maximum time before a socket operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc6
-//
-func (s *Socket) RcvTimeout() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RCVTIMEO)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_SNDTIMEO: Maximum time before a socket operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc7
-//
-func (s *Socket) SndTimeout() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(SNDTIMEO)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_SWAP: Retrieve disk offload size.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc8
-//
-func (s *Socket) Swap() (int64, error) {
-	return s.GetSockOptInt64(SWAP)
-}
-
-// ZMQ_AFFINITY: Retrieve I/O thread affinity.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc9
-//
-func (s *Socket) Affinity() (uint64, error) {
-	return s.GetSockOptUInt64(AFFINITY)
-}
-
-// ZMQ_IDENTITY: Retrieve socket identity.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc10
-//
-func (s *Socket) Identity() (string, error) {
-	return s.GetSockOptString(IDENTITY)
-}
-
-// ZMQ_RATE: Retrieve multicast data rate.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc11
-//
-func (s *Socket) Rate() (int64, error) {
-	return s.GetSockOptInt64(RATE)
-}
-
-// ZMQ_RECOVERY_IVL_MSEC: Get multicast recovery interval in milliseconds.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc13
-//
-func (s *Socket) RecoveryIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt64(RECOVERY_IVL_MSEC)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_MCAST_LOOP: Control multicast loop-back.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc14
-//
-func (s *Socket) McastLoop() (bool, error) {
-	value, err := s.GetSockOptInt64(MCAST_LOOP)
-	return value != 0, err
-}
-
-// ZMQ_SNDBUF: Retrieve kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc15
-//
-func (s *Socket) SndBuf() (uint64, error) {
-	return s.GetSockOptUInt64(SNDBUF)
-}
-
-// ZMQ_RCVBUF: Retrieve kernel receive buffer size.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc16
-//
-func (s *Socket) RcvBuf() (uint64, error) {
-	return s.GetSockOptUInt64(RCVBUF)
-}
-
-// ZMQ_LINGER: Retrieve linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc17
-//
-func (s *Socket) Linger() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(LINGER)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL: Retrieve reconnection interval.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc18
-//
-func (s *Socket) ReconnectIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Retrieve maximum reconnection interval.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc19
-//
-func (s *Socket) ReconnectIvlMax() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL_MAX)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_BACKLOG: Retrieve maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc20
-//
-func (s *Socket) Backlog() (int, error) {
-	return s.GetSockOptInt(BACKLOG)
-}
-
-// ZMQ_EVENTS: Retrieve socket event state.
-//
-// See: http://api.zeromq.org/2.2:zmq-getsockopt#toc22
-//
-func (s *Socket) Events() (uint64, error) {
-	return s.GetSockOptUInt64(EVENTS)
-}
-
-// Socket Option Setters
-
-// ZMQ_HWM: Set high water mark.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc3
-//
-func (s *Socket) SetHWM(value uint64) error {
-	return s.SetSockOptUInt64(HWM, value)
-}
-
-// ZMQ_SWAP: Set disk offload size.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc4
-//
-func (s *Socket) SetSwap(value int64) error {
-	return s.SetSockOptInt64(SWAP, value)
-}
-
-// ZMQ_AFFINITY: Set I/O thread affinity.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc5
-//
-func (s *Socket) SetAffinity(value uint64) error {
-	return s.SetSockOptUInt64(AFFINITY, value)
-}
-
-// ZMQ_IDENTITY: Set socket identity.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc6
-//
-func (s *Socket) SetIdentity(value string) error {
-	return s.SetSockOptString(IDENTITY, value)
-}
-
-// ZMQ_SUBSCRIBE: Establish message filter.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc7
-//
-func (s *Socket) SetSubscribe(value string) error {
-	return s.SetSockOptString(SUBSCRIBE, value)
-}
-
-// ZMQ_UNSUBSCRIBE: Remove message filter.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc8
-//
-func (s *Socket) SetUnsubscribe(value string) error {
-	return s.SetSockOptString(UNSUBSCRIBE, value)
-}
-
-// ZMQ_RCVTIMEO: Maximum time before a recv operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc9
-//
-func (s *Socket) SetRcvTimeout(value time.Duration) error {
-	return s.SetSockOptInt(RCVTIMEO, int(value/time.Millisecond))
-}
-
-// ZMQ_SNDTIMEO: Maximum time before a send operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc10
-//
-func (s *Socket) SetSndTimeout(value time.Duration) error {
-	return s.SetSockOptInt(SNDTIMEO, int(value/time.Millisecond))
-}
-
-// ZMQ_RATE: Set multicast data rate.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc11
-//
-func (s *Socket) SetRate(value int64) error {
-	return s.SetSockOptInt64(RATE, value)
-}
-
-// ZMQ_RECOVERY_IVL_MSEC: Set multicast recovery interval in milliseconds.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc13
-//
-func (s *Socket) SetRecoveryIvl(value time.Duration) error {
-	return s.SetSockOptInt64(RECOVERY_IVL_MSEC, int64(value/time.Millisecond))
-}
-
-// ZMQ_MCAST_LOOP: Control multicast loop-back.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc14
-//
-func (s *Socket) SetMcastLoop(value bool) error {
-	if value {
-		return s.SetSockOptInt64(MCAST_LOOP, 1)
-	}
-	return s.SetSockOptInt64(MCAST_LOOP, 0)
-}
-
-// ZMQ_SNDBUF: Set kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc15
-//
-func (s *Socket) SetSndBuf(value uint64) error {
-	return s.SetSockOptUInt64(SNDBUF, value)
-}
-
-// ZMQ_RCVBUF: Set kernel receive buffer size.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc16
-//
-func (s *Socket) SetRcvBuf(value uint64) error {
-	return s.SetSockOptUInt64(RCVBUF, value)
-}
-
-// ZMQ_LINGER: Set linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc17
-//
-func (s *Socket) SetLinger(value time.Duration) error {
-	return s.SetSockOptInt(LINGER, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL: Set reconnection interval.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc18
-//
-func (s *Socket) SetReconnectIvl(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Set maximum reconnection interval.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc19
-//
-func (s *Socket) SetReconnectIvlMax(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL_MAX, int(value/time.Millisecond))
-}
-
-// ZMQ_BACKLOG: Set maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/2.2:zmq-setsockopt#toc20
-//
-func (s *Socket) SetBacklog(value int) error {
-	return s.SetSockOptInt(BACKLOG, value)
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmqgen_3_2.go b/vendor/github.com/alecthomas/gozmq/zmqgen_3_2.go
deleted file mode 100644
index 41683a5..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmqgen_3_2.go
+++ /dev/null
@@ -1,436 +0,0 @@
-// +build zmq_3_x
-//
-
-package gozmq
-
-import (
-	"time"
-)
-
-// This file was generated automatically.  Changes made here will be lost.
-
-// Socket Option Getters
-
-// ZMQ_TYPE: Retrieve socket type.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc3
-//
-func (s *Socket) Type() (SocketType, error) {
-	value, err := s.GetSockOptUInt64(TYPE)
-	return SocketType(value), err
-}
-
-// ZMQ_RCVMORE: More message data parts to follow.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc4
-//
-func (s *Socket) RcvMore() (bool, error) {
-	value, err := s.GetSockOptInt(RCVMORE)
-	return value != 0, err
-}
-
-// ZMQ_SNDHWM: Retrieves high water mark for outbound messages.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc5
-//
-func (s *Socket) SndHWM() (int, error) {
-	return s.GetSockOptInt(SNDHWM)
-}
-
-// ZMQ_RCVHWM: Retrieve high water mark for inbound messages.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc6
-//
-func (s *Socket) RcvHWM() (int, error) {
-	return s.GetSockOptInt(RCVHWM)
-}
-
-// ZMQ_AFFINITY: Retrieve I/O thread affinity.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc7
-//
-func (s *Socket) Affinity() (uint64, error) {
-	return s.GetSockOptUInt64(AFFINITY)
-}
-
-// ZMQ_IDENTITY: Set socket identity.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc8
-//
-func (s *Socket) Identity() (string, error) {
-	return s.GetSockOptString(IDENTITY)
-}
-
-// ZMQ_RATE: Retrieve multicast data rate.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc9
-//
-func (s *Socket) Rate() (int64, error) {
-	return s.GetSockOptInt64(RATE)
-}
-
-// ZMQ_RECOVERY_IVL: Get multicast recovery interval.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc10
-//
-func (s *Socket) RecoveryIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt64(RECOVERY_IVL)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_SNDBUF: Retrieve kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc11
-//
-func (s *Socket) SndBuf() (uint64, error) {
-	return s.GetSockOptUInt64(SNDBUF)
-}
-
-// ZMQ_RCVBUF: Retrieve kernel receive buffer size.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc12
-//
-func (s *Socket) RcvBuf() (uint64, error) {
-	return s.GetSockOptUInt64(RCVBUF)
-}
-
-// ZMQ_LINGER: Retrieve linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc13
-//
-func (s *Socket) Linger() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(LINGER)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL: Retrieve reconnection interval.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc14
-//
-func (s *Socket) ReconnectIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Retrieve maximum reconnection interval.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc15
-//
-func (s *Socket) ReconnectIvlMax() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL_MAX)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_BACKLOG: Retrieve maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc16
-//
-func (s *Socket) Backlog() (int, error) {
-	return s.GetSockOptInt(BACKLOG)
-}
-
-// ZMQ_MAXMSGSIZE: Maximum acceptable inbound message size.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc17
-//
-func (s *Socket) MaxMsgSize() (int64, error) {
-	return s.GetSockOptInt64(MAXMSGSIZE)
-}
-
-// ZMQ_RCVTIMEO: Maximum time before a socket operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc19
-//
-func (s *Socket) RcvTimeout() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RCVTIMEO)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_SNDTIMEO: Maximum time before a socket operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc20
-//
-func (s *Socket) SndTimeout() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(SNDTIMEO)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_IPV4ONLY: Retrieve IPv4-only socket override status.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc21
-//
-func (s *Socket) IPv4Only() (bool, error) {
-	value, err := s.GetSockOptInt(IPV4ONLY)
-	return value != 0, err
-}
-
-// ZMQ_DELAY_ATTACH_ON_CONNECT: Retrieve attach-on-connect value.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc22
-//
-func (s *Socket) DelayAttachOnConnect() (bool, error) {
-	value, err := s.GetSockOptInt(DELAY_ATTACH_ON_CONNECT)
-	return value != 0, err
-}
-
-// ZMQ_EVENTS: Retrieve socket event state.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc24
-//
-func (s *Socket) Events() (uint64, error) {
-	return s.GetSockOptUInt64(EVENTS)
-}
-
-// ZMQ_TCP_KEEPALIVE: Override SO_KEEPALIVE socket option.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc26
-//
-func (s *Socket) TCPKeepalive() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE)
-}
-
-// ZMQ_TCP_KEEPALIVE_IDLE: Override TCP_KEEPCNT(or TCP_KEEPALIVE on some OS).
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc27
-//
-func (s *Socket) TCPKeepaliveIdle() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE_IDLE)
-}
-
-// ZMQ_TCP_KEEPALIVE_CNT: Override TCP_KEEPCNT socket option.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc28
-//
-func (s *Socket) TCPKeepaliveCnt() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE_CNT)
-}
-
-// ZMQ_TCP_KEEPALIVE_INTVL: Override TCP_KEEPINTVL socket option.
-//
-// See: http://api.zeromq.org/3.2:zmq-getsockopt#toc29
-//
-func (s *Socket) TCPKeepaliveIntvl() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE_INTVL)
-}
-
-// Socket Option Setters
-
-// ZMQ_SNDHWM: Set high water mark for outbound messages.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc3
-//
-func (s *Socket) SetSndHWM(value int) error {
-	return s.SetSockOptInt(SNDHWM, value)
-}
-
-// ZMQ_RCVHWM: Set high water mark for inbound messages.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc4
-//
-func (s *Socket) SetRcvHWM(value int) error {
-	return s.SetSockOptInt(RCVHWM, value)
-}
-
-// ZMQ_AFFINITY: Set I/O thread affinity.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc5
-//
-func (s *Socket) SetAffinity(value uint64) error {
-	return s.SetSockOptUInt64(AFFINITY, value)
-}
-
-// ZMQ_SUBSCRIBE: Establish message filter.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc6
-//
-func (s *Socket) SetSubscribe(value string) error {
-	return s.SetSockOptString(SUBSCRIBE, value)
-}
-
-// ZMQ_UNSUBSCRIBE: Remove message filter.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc7
-//
-func (s *Socket) SetUnsubscribe(value string) error {
-	return s.SetSockOptString(UNSUBSCRIBE, value)
-}
-
-// ZMQ_IDENTITY: Set socket identity.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc8
-//
-func (s *Socket) SetIdentity(value string) error {
-	return s.SetSockOptString(IDENTITY, value)
-}
-
-// ZMQ_RATE: Set multicast data rate.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc9
-//
-func (s *Socket) SetRate(value int64) error {
-	return s.SetSockOptInt64(RATE, value)
-}
-
-// ZMQ_RECOVERY_IVL: Set multicast recovery interval.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc10
-//
-func (s *Socket) SetRecoveryIvl(value time.Duration) error {
-	return s.SetSockOptInt64(RECOVERY_IVL, int64(value/time.Millisecond))
-}
-
-// ZMQ_SNDBUF: Set kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc11
-//
-func (s *Socket) SetSndBuf(value uint64) error {
-	return s.SetSockOptUInt64(SNDBUF, value)
-}
-
-// ZMQ_RCVBUF: Set kernel receive buffer size.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc12
-//
-func (s *Socket) SetRcvBuf(value uint64) error {
-	return s.SetSockOptUInt64(RCVBUF, value)
-}
-
-// ZMQ_LINGER: Set linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc13
-//
-func (s *Socket) SetLinger(value time.Duration) error {
-	return s.SetSockOptInt(LINGER, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL: Set reconnection interval.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc14
-//
-func (s *Socket) SetReconnectIvl(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Set maximum reconnection interval.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc15
-//
-func (s *Socket) SetReconnectIvlMax(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL_MAX, int(value/time.Millisecond))
-}
-
-// ZMQ_BACKLOG: Set maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc16
-//
-func (s *Socket) SetBacklog(value int) error {
-	return s.SetSockOptInt(BACKLOG, value)
-}
-
-// ZMQ_MAXMSGSIZE: Maximum acceptable inbound message size.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc17
-//
-func (s *Socket) SetMaxMsgSize(value int64) error {
-	return s.SetSockOptInt64(MAXMSGSIZE, value)
-}
-
-// ZMQ_RCVTIMEO: Maximum time before a recv operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc19
-//
-func (s *Socket) SetRcvTimeout(value time.Duration) error {
-	return s.SetSockOptInt(RCVTIMEO, int(value/time.Millisecond))
-}
-
-// ZMQ_SNDTIMEO: Maximum time before a send operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc20
-//
-func (s *Socket) SetSndTimeout(value time.Duration) error {
-	return s.SetSockOptInt(SNDTIMEO, int(value/time.Millisecond))
-}
-
-// ZMQ_IPV4ONLY: Use IPv4-only sockets.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc21
-//
-func (s *Socket) SetIPv4Only(value bool) error {
-	if value {
-		return s.SetSockOptInt(IPV4ONLY, 1)
-	}
-	return s.SetSockOptInt(IPV4ONLY, 0)
-}
-
-// ZMQ_DELAY_ATTACH_ON_CONNECT: Accept messages only when connections are made.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc22
-//
-func (s *Socket) SetDelayAttachOnConnect(value bool) error {
-	if value {
-		return s.SetSockOptInt(DELAY_ATTACH_ON_CONNECT, 1)
-	}
-	return s.SetSockOptInt(DELAY_ATTACH_ON_CONNECT, 0)
-}
-
-// ZMQ_ROUTER_MANDATORY: accept only routable messages on ROUTER sockets.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc23
-//
-func (s *Socket) SetROUTERMandatory(value bool) error {
-	if value {
-		return s.SetSockOptInt(ROUTER_MANDATORY, 1)
-	}
-	return s.SetSockOptInt(ROUTER_MANDATORY, 0)
-}
-
-// ZMQ_XPUB_VERBOSE: provide all subscription messages on XPUB sockets.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc24
-//
-func (s *Socket) SetXPUBVerbose(value bool) error {
-	if value {
-		return s.SetSockOptInt(XPUB_VERBOSE, 1)
-	}
-	return s.SetSockOptInt(XPUB_VERBOSE, 0)
-}
-
-// ZMQ_TCP_KEEPALIVE: Override SO_KEEPALIVE socket option.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc25
-//
-func (s *Socket) SetTCPKeepalive(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE, value)
-}
-
-// ZMQ_TCP_KEEPALIVE_IDLE: Override TCP_KEEPCNT(or TCP_KEEPALIVE on some OS).
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc26
-//
-func (s *Socket) SetTCPKeepaliveIdle(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE_IDLE, value)
-}
-
-// ZMQ_TCP_KEEPALIVE_CNT: Override TCP_KEEPCNT socket option.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc27
-//
-func (s *Socket) SetTCPKeepaliveCnt(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE_CNT, value)
-}
-
-// ZMQ_TCP_KEEPALIVE_INTVL: Override TCP_KEEPINTVL socket option.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc28
-//
-func (s *Socket) SetTCPKeepaliveIntvl(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE_INTVL, value)
-}
-
-// ZMQ_TCP_ACCEPT_FILTER: Assign filters to allow new TCP connections.
-//
-// See: http://api.zeromq.org/3.2:zmq-setsockopt#toc29
-//
-func (s *Socket) SetTCPAcceptFilter(value string) error {
-	return s.SetSockOptString(TCP_ACCEPT_FILTER, value)
-}
diff --git a/vendor/github.com/alecthomas/gozmq/zmqgen_4_0.go b/vendor/github.com/alecthomas/gozmq/zmqgen_4_0.go
deleted file mode 100644
index d9c6587..0000000
--- a/vendor/github.com/alecthomas/gozmq/zmqgen_4_0.go
+++ /dev/null
@@ -1,627 +0,0 @@
-// +build zmq_4_x
-//
-
-package gozmq
-
-import (
-	"time"
-)
-
-// This file was generated automatically.  Changes made here will be lost.
-
-// Socket Option Getters
-
-// ZMQ_TYPE: Retrieve socket type.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc3
-//
-func (s *Socket) Type() (SocketType, error) {
-	value, err := s.GetSockOptUInt64(TYPE)
-	return SocketType(value), err
-}
-
-// ZMQ_RCVMORE: More message data parts to follow.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc4
-//
-func (s *Socket) RcvMore() (bool, error) {
-	value, err := s.GetSockOptInt(RCVMORE)
-	return value != 0, err
-}
-
-// ZMQ_SNDHWM: Retrieves high water mark for outbound messages.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc5
-//
-func (s *Socket) SndHWM() (int, error) {
-	return s.GetSockOptInt(SNDHWM)
-}
-
-// ZMQ_RCVHWM: Retrieve high water mark for inbound messages.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc6
-//
-func (s *Socket) RcvHWM() (int, error) {
-	return s.GetSockOptInt(RCVHWM)
-}
-
-// ZMQ_AFFINITY: Retrieve I/O thread affinity.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc7
-//
-func (s *Socket) Affinity() (uint64, error) {
-	return s.GetSockOptUInt64(AFFINITY)
-}
-
-// ZMQ_IDENTITY: Retrieve socket identity.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc8
-//
-func (s *Socket) Identity() (string, error) {
-	return s.GetSockOptString(IDENTITY)
-}
-
-// ZMQ_RATE: Retrieve multicast data rate.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc9
-//
-func (s *Socket) Rate() (int64, error) {
-	return s.GetSockOptInt64(RATE)
-}
-
-// ZMQ_RECOVERY_IVL: Get multicast recovery interval.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc10
-//
-func (s *Socket) RecoveryIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt64(RECOVERY_IVL)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_SNDBUF: Retrieve kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc11
-//
-func (s *Socket) SndBuf() (uint64, error) {
-	return s.GetSockOptUInt64(SNDBUF)
-}
-
-// ZMQ_RCVBUF: Retrieve kernel receive buffer size.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc12
-//
-func (s *Socket) RcvBuf() (uint64, error) {
-	return s.GetSockOptUInt64(RCVBUF)
-}
-
-// ZMQ_LINGER: Retrieve linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc13
-//
-func (s *Socket) Linger() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(LINGER)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL: Retrieve reconnection interval.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc14
-//
-func (s *Socket) ReconnectIvl() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Retrieve maximum reconnection interval.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc15
-//
-func (s *Socket) ReconnectIvlMax() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RECONNECT_IVL_MAX)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_BACKLOG: Retrieve maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc16
-//
-func (s *Socket) Backlog() (int, error) {
-	return s.GetSockOptInt(BACKLOG)
-}
-
-// ZMQ_MAXMSGSIZE: Maximum acceptable inbound message size.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc17
-//
-func (s *Socket) MaxMsgSize() (int64, error) {
-	return s.GetSockOptInt64(MAXMSGSIZE)
-}
-
-// ZMQ_RCVTIMEO: Maximum time before a socket operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc19
-//
-func (s *Socket) RcvTimeout() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(RCVTIMEO)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_SNDTIMEO: Maximum time before a socket operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc20
-//
-func (s *Socket) SndTimeout() (time.Duration, error) {
-	ms, err := s.GetSockOptInt(SNDTIMEO)
-	return time.Duration(ms) * time.Millisecond, err
-}
-
-// ZMQ_IPV6: Retrieve IPv6 socket status.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc21
-//
-func (s *Socket) Ipv6() (bool, error) {
-	value, err := s.GetSockOptInt(IPV6)
-	return value != 0, err
-}
-
-// ZMQ_IPV4ONLY: Retrieve IPv4-only socket override status.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc22
-//
-func (s *Socket) IPv4Only() (bool, error) {
-	value, err := s.GetSockOptInt(IPV4ONLY)
-	return value != 0, err
-}
-
-// ZMQ_IMMEDIATE: Retrieve attach-on-connect value.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc23
-//
-func (s *Socket) Immediate() (bool, error) {
-	value, err := s.GetSockOptInt(IMMEDIATE)
-	return value != 0, err
-}
-
-// ZMQ_EVENTS: Retrieve socket event state.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc25
-//
-func (s *Socket) Events() (uint64, error) {
-	return s.GetSockOptUInt64(EVENTS)
-}
-
-// ZMQ_TCP_KEEPALIVE: Override SO_KEEPALIVE socket option.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc27
-//
-func (s *Socket) TCPKeepalive() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE)
-}
-
-// ZMQ_TCP_KEEPALIVE_IDLE: Override TCP_KEEPCNT(or TCP_KEEPALIVE on some OS).
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc28
-//
-func (s *Socket) TCPKeepaliveIdle() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE_IDLE)
-}
-
-// ZMQ_TCP_KEEPALIVE_CNT: Override TCP_KEEPCNT socket option.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc29
-//
-func (s *Socket) TCPKeepaliveCnt() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE_CNT)
-}
-
-// ZMQ_TCP_KEEPALIVE_INTVL: Override TCP_KEEPINTVL socket option.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc30
-//
-func (s *Socket) TCPKeepaliveIntvl() (int, error) {
-	return s.GetSockOptInt(TCP_KEEPALIVE_INTVL)
-}
-
-// ZMQ_MECHANISM: Retrieve current security mechanism.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc31
-//
-func (s *Socket) Mechanism() (int, error) {
-	return s.GetSockOptInt(MECHANISM)
-}
-
-// ZMQ_PLAIN_SERVER: Retrieve current PLAIN server role.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc32
-//
-func (s *Socket) PlainServer() (int, error) {
-	return s.GetSockOptInt(PLAIN_SERVER)
-}
-
-// ZMQ_PLAIN_USERNAME: Retrieve current PLAIN username.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc33
-//
-func (s *Socket) PlainUsername() (string, error) {
-	return s.GetSockOptString(PLAIN_USERNAME)
-}
-
-// ZMQ_PLAIN_PASSWORD: Retrieve current password.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc34
-//
-func (s *Socket) PlainPassword() (string, error) {
-	return s.GetSockOptString(PLAIN_PASSWORD)
-}
-
-// ZMQ_CURVE_PUBLICKEY: Retrieve current CURVE public key.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc35
-//
-func (s *Socket) CurvePublickey() (string, error) {
-	return s.GetSockOptString(CURVE_PUBLICKEY)
-}
-
-// ZMQ_CURVE_SECRETKEY: Retrieve current CURVE secret key.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc36
-//
-func (s *Socket) CurveSecretkey() (string, error) {
-	return s.GetSockOptString(CURVE_SECRETKEY)
-}
-
-// ZMQ_CURVE_SERVERKEY: Retrieve current CURVE server key.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc37
-//
-func (s *Socket) CurveServerkey() (string, error) {
-	return s.GetSockOptString(CURVE_SERVERKEY)
-}
-
-// ZMQ_ZAP_DOMAIN: Retrieve RFC 27 authentication domain.
-//
-// See: http://api.zeromq.org/4.0:zmq-getsockopt#toc38
-//
-func (s *Socket) ZapDomain() (string, error) {
-	return s.GetSockOptString(ZAP_DOMAIN)
-}
-
-// Socket Option Setters
-
-// ZMQ_SNDHWM: Set high water mark for outbound messages.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc3
-//
-func (s *Socket) SetSndHWM(value int) error {
-	return s.SetSockOptInt(SNDHWM, value)
-}
-
-// ZMQ_RCVHWM: Set high water mark for inbound messages.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc4
-//
-func (s *Socket) SetRcvHWM(value int) error {
-	return s.SetSockOptInt(RCVHWM, value)
-}
-
-// ZMQ_AFFINITY: Set I/O thread affinity.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc5
-//
-func (s *Socket) SetAffinity(value uint64) error {
-	return s.SetSockOptUInt64(AFFINITY, value)
-}
-
-// ZMQ_SUBSCRIBE: Establish message filter.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc6
-//
-func (s *Socket) SetSubscribe(value string) error {
-	return s.SetSockOptString(SUBSCRIBE, value)
-}
-
-// ZMQ_UNSUBSCRIBE: Remove message filter.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc7
-//
-func (s *Socket) SetUnsubscribe(value string) error {
-	return s.SetSockOptString(UNSUBSCRIBE, value)
-}
-
-// ZMQ_IDENTITY: Set socket identity.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc8
-//
-func (s *Socket) SetIdentity(value string) error {
-	return s.SetSockOptString(IDENTITY, value)
-}
-
-// ZMQ_RATE: Set multicast data rate.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc9
-//
-func (s *Socket) SetRate(value int64) error {
-	return s.SetSockOptInt64(RATE, value)
-}
-
-// ZMQ_RECOVERY_IVL: Set multicast recovery interval.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc10
-//
-func (s *Socket) SetRecoveryIvl(value time.Duration) error {
-	return s.SetSockOptInt64(RECOVERY_IVL, int64(value/time.Millisecond))
-}
-
-// ZMQ_SNDBUF: Set kernel transmit buffer size.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc11
-//
-func (s *Socket) SetSndBuf(value uint64) error {
-	return s.SetSockOptUInt64(SNDBUF, value)
-}
-
-// ZMQ_RCVBUF: Set kernel receive buffer size.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc12
-//
-func (s *Socket) SetRcvBuf(value uint64) error {
-	return s.SetSockOptUInt64(RCVBUF, value)
-}
-
-// ZMQ_LINGER: Set linger period for socket shutdown.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc13
-//
-func (s *Socket) SetLinger(value time.Duration) error {
-	return s.SetSockOptInt(LINGER, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL: Set reconnection interval.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc14
-//
-func (s *Socket) SetReconnectIvl(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL, int(value/time.Millisecond))
-}
-
-// ZMQ_RECONNECT_IVL_MAX: Set maximum reconnection interval.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc15
-//
-func (s *Socket) SetReconnectIvlMax(value time.Duration) error {
-	return s.SetSockOptInt(RECONNECT_IVL_MAX, int(value/time.Millisecond))
-}
-
-// ZMQ_BACKLOG: Set maximum length of the queue of outstanding connections.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc16
-//
-func (s *Socket) SetBacklog(value int) error {
-	return s.SetSockOptInt(BACKLOG, value)
-}
-
-// ZMQ_MAXMSGSIZE: Maximum acceptable inbound message size.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc17
-//
-func (s *Socket) SetMaxMsgSize(value int64) error {
-	return s.SetSockOptInt64(MAXMSGSIZE, value)
-}
-
-// ZMQ_RCVTIMEO: Maximum time before a recv operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc19
-//
-func (s *Socket) SetRcvTimeout(value time.Duration) error {
-	return s.SetSockOptInt(RCVTIMEO, int(value/time.Millisecond))
-}
-
-// ZMQ_SNDTIMEO: Maximum time before a send operation returns with EAGAIN.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc20
-//
-func (s *Socket) SetSndTimeout(value time.Duration) error {
-	return s.SetSockOptInt(SNDTIMEO, int(value/time.Millisecond))
-}
-
-// ZMQ_IPV6: Enable IPv6 on socket.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc21
-//
-func (s *Socket) SetIpv6(value bool) error {
-	if value {
-		return s.SetSockOptInt(IPV6, 1)
-	}
-	return s.SetSockOptInt(IPV6, 0)
-}
-
-// ZMQ_IPV4ONLY: Use IPv4-only on socket.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc22
-//
-func (s *Socket) SetIPv4Only(value bool) error {
-	if value {
-		return s.SetSockOptInt(IPV4ONLY, 1)
-	}
-	return s.SetSockOptInt(IPV4ONLY, 0)
-}
-
-// ZMQ_IMMEDIATE: Queue messages only to completed connections.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc23
-//
-func (s *Socket) SetImmediate(value bool) error {
-	if value {
-		return s.SetSockOptInt(IMMEDIATE, 1)
-	}
-	return s.SetSockOptInt(IMMEDIATE, 0)
-}
-
-// ZMQ_ROUTER_MANDATORY: accept only routable messages on ROUTER sockets.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc24
-//
-func (s *Socket) SetROUTERMandatory(value bool) error {
-	if value {
-		return s.SetSockOptInt(ROUTER_MANDATORY, 1)
-	}
-	return s.SetSockOptInt(ROUTER_MANDATORY, 0)
-}
-
-// ZMQ_ROUTER_RAW: switch ROUTER socket to raw mode.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc25
-//
-func (s *Socket) SetROUTERRaw(value int) error {
-	return s.SetSockOptInt(ROUTER_RAW, value)
-}
-
-// ZMQ_PROBE_ROUTER: bootstrap connections to ROUTER sockets.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc26
-//
-func (s *Socket) SetProbeROUTER(value int) error {
-	return s.SetSockOptInt(PROBE_ROUTER, value)
-}
-
-// ZMQ_XPUB_VERBOSE: provide all subscription messages on XPUB sockets.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc27
-//
-func (s *Socket) SetXPUBVerbose(value bool) error {
-	if value {
-		return s.SetSockOptInt(XPUB_VERBOSE, 1)
-	}
-	return s.SetSockOptInt(XPUB_VERBOSE, 0)
-}
-
-// ZMQ_REQ_CORRELATE: match replies with requests.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc28
-//
-func (s *Socket) SetReqCorrelate(value int) error {
-	return s.SetSockOptInt(REQ_CORRELATE, value)
-}
-
-// ZMQ_REQ_RELAXED: relax strict alternation between request and reply.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc29
-//
-func (s *Socket) SetReqRelaxed(value int) error {
-	return s.SetSockOptInt(REQ_RELAXED, value)
-}
-
-// ZMQ_TCP_KEEPALIVE: Override SO_KEEPALIVE socket option.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc30
-//
-func (s *Socket) SetTCPKeepalive(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE, value)
-}
-
-// ZMQ_TCP_KEEPALIVE_IDLE: Override TCP_KEEPCNT (or TCP_KEEPALIVE on some OS).
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc31
-//
-func (s *Socket) SetTCPKeepaliveIdle(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE_IDLE, value)
-}
-
-// ZMQ_TCP_KEEPALIVE_CNT: Override TCP_KEEPCNT socket option.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc32
-//
-func (s *Socket) SetTCPKeepaliveCnt(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE_CNT, value)
-}
-
-// ZMQ_TCP_KEEPALIVE_INTVL: Override TCP_KEEPINTVL socket option.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc33
-//
-func (s *Socket) SetTCPKeepaliveIntvl(value int) error {
-	return s.SetSockOptInt(TCP_KEEPALIVE_INTVL, value)
-}
-
-// ZMQ_TCP_ACCEPT_FILTER: Assign filters to allow new TCP connections.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc34
-//
-func (s *Socket) SetTCPAcceptFilter(value string) error {
-	return s.SetSockOptString(TCP_ACCEPT_FILTER, value)
-}
-
-// ZMQ_PLAIN_SERVER: Set PLAIN server role.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc35
-//
-func (s *Socket) SetPlainServer(value int) error {
-	return s.SetSockOptInt(PLAIN_SERVER, value)
-}
-
-// ZMQ_PLAIN_USERNAME: Set PLAIN security username.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc36
-//
-func (s *Socket) SetPlainUsername(value string) error {
-	return s.SetSockOptString(PLAIN_USERNAME, value)
-}
-
-// ZMQ_PLAIN_PASSWORD: Set PLAIN security password.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc37
-//
-func (s *Socket) SetPlainPassword(value string) error {
-	return s.SetSockOptString(PLAIN_PASSWORD, value)
-}
-
-// ZMQ_CURVE_SERVER: Set CURVE server role.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc38
-//
-func (s *Socket) SetCurveServer(value int) error {
-	return s.SetSockOptInt(CURVE_SERVER, value)
-}
-
-// ZMQ_CURVE_PUBLICKEY: Set CURVE public key.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc39
-//
-func (s *Socket) SetCurvePublickey(value string) error {
-	return s.SetSockOptString(CURVE_PUBLICKEY, value)
-}
-
-// ZMQ_CURVE_SECRETKEY: Set CURVE secret key.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc40
-//
-func (s *Socket) SetCurveSecretkey(value string) error {
-	return s.SetSockOptString(CURVE_SECRETKEY, value)
-}
-
-// ZMQ_CURVE_SERVERKEY: Set CURVE server key.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc41
-//
-func (s *Socket) SetCurveServerkey(value string) error {
-	return s.SetSockOptString(CURVE_SERVERKEY, value)
-}
-
-// ZMQ_ZAP_DOMAIN: Set RFC 27 authentication domain.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc42
-//
-func (s *Socket) SetZapDomain(value string) error {
-	return s.SetSockOptString(ZAP_DOMAIN, value)
-}
-
-// ZMQ_CONFLATE: Keep only last message.
-//
-// See: http://api.zeromq.org/4.0:zmq-setsockopt#toc43
-//
-func (s *Socket) SetConflate(value bool) error {
-	if value {
-		return s.SetSockOptInt(CONFLATE, 1)
-	}
-	return s.SetSockOptInt(CONFLATE, 0)
-}
diff --git a/vendor/github.com/davecgh/go-spew/LICENSE b/vendor/github.com/davecgh/go-spew/LICENSE
deleted file mode 100644
index 2a7cfd2..0000000
--- a/vendor/github.com/davecgh/go-spew/LICENSE
+++ /dev/null
@@ -1,13 +0,0 @@
-Copyright (c) 2012-2013 Dave Collins <dave@davec.name>
-
-Permission to use, copy, modify, and distribute this software for any
-purpose with or without fee is hereby granted, provided that the above
-copyright notice and this permission notice appear in all copies.
-
-THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
-WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
-MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
-ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
-WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
-ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
-OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
diff --git a/vendor/github.com/davecgh/go-spew/spew/bypass.go b/vendor/github.com/davecgh/go-spew/spew/bypass.go
deleted file mode 100644
index 565bf58..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/bypass.go
+++ /dev/null
@@ -1,151 +0,0 @@
-// Copyright (c) 2015 Dave Collins <dave@davec.name>
-//
-// Permission to use, copy, modify, and distribute this software for any
-// purpose with or without fee is hereby granted, provided that the above
-// copyright notice and this permission notice appear in all copies.
-//
-// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
-// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
-// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
-// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
-// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
-// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
-// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
-
-// NOTE: Due to the following build constraints, this file will only be compiled
-// when the code is not running on Google App Engine and "-tags disableunsafe"
-// is not added to the go build command line.
-// +build !appengine,!disableunsafe
-
-package spew
-
-import (
-	"reflect"
-	"unsafe"
-)
-
-const (
-	// UnsafeDisabled is a build-time constant which specifies whether or
-	// not access to the unsafe package is available.
-	UnsafeDisabled = false
-
-	// ptrSize is the size of a pointer on the current arch.
-	ptrSize = unsafe.Sizeof((*byte)(nil))
-)
-
-var (
-	// offsetPtr, offsetScalar, and offsetFlag are the offsets for the
-	// internal reflect.Value fields.  These values are valid before golang
-	// commit ecccf07e7f9d which changed the format.  The are also valid
-	// after commit 82f48826c6c7 which changed the format again to mirror
-	// the original format.  Code in the init function updates these offsets
-	// as necessary.
-	offsetPtr    = uintptr(ptrSize)
-	offsetScalar = uintptr(0)
-	offsetFlag   = uintptr(ptrSize * 2)
-
-	// flagKindWidth and flagKindShift indicate various bits that the
-	// reflect package uses internally to track kind information.
-	//
-	// flagRO indicates whether or not the value field of a reflect.Value is
-	// read-only.
-	//
-	// flagIndir indicates whether the value field of a reflect.Value is
-	// the actual data or a pointer to the data.
-	//
-	// These values are valid before golang commit 90a7c3c86944 which
-	// changed their positions.  Code in the init function updates these
-	// flags as necessary.
-	flagKindWidth = uintptr(5)
-	flagKindShift = uintptr(flagKindWidth - 1)
-	flagRO        = uintptr(1 << 0)
-	flagIndir     = uintptr(1 << 1)
-)
-
-func init() {
-	// Older versions of reflect.Value stored small integers directly in the
-	// ptr field (which is named val in the older versions).  Versions
-	// between commits ecccf07e7f9d and 82f48826c6c7 added a new field named
-	// scalar for this purpose which unfortunately came before the flag
-	// field, so the offset of the flag field is different for those
-	// versions.
-	//
-	// This code constructs a new reflect.Value from a known small integer
-	// and checks if the size of the reflect.Value struct indicates it has
-	// the scalar field. When it does, the offsets are updated accordingly.
-	vv := reflect.ValueOf(0xf00)
-	if unsafe.Sizeof(vv) == (ptrSize * 4) {
-		offsetScalar = ptrSize * 2
-		offsetFlag = ptrSize * 3
-	}
-
-	// Commit 90a7c3c86944 changed the flag positions such that the low
-	// order bits are the kind.  This code extracts the kind from the flags
-	// field and ensures it's the correct type.  When it's not, the flag
-	// order has been changed to the newer format, so the flags are updated
-	// accordingly.
-	upf := unsafe.Pointer(uintptr(unsafe.Pointer(&vv)) + offsetFlag)
-	upfv := *(*uintptr)(upf)
-	flagKindMask := uintptr((1<<flagKindWidth - 1) << flagKindShift)
-	if (upfv&flagKindMask)>>flagKindShift != uintptr(reflect.Int) {
-		flagKindShift = 0
-		flagRO = 1 << 5
-		flagIndir = 1 << 6
-
-		// Commit adf9b30e5594 modified the flags to separate the
-		// flagRO flag into two bits which specifies whether or not the
-		// field is embedded.  This causes flagIndir to move over a bit
-		// and means that flagRO is the combination of either of the
-		// original flagRO bit and the new bit.
-		//
-		// This code detects the change by extracting what used to be
-		// the indirect bit to ensure it's set.  When it's not, the flag
-		// order has been changed to the newer format, so the flags are
-		// updated accordingly.
-		if upfv&flagIndir == 0 {
-			flagRO = 3 << 5
-			flagIndir = 1 << 7
-		}
-	}
-}
-
-// unsafeReflectValue converts the passed reflect.Value into a one that bypasses
-// the typical safety restrictions preventing access to unaddressable and
-// unexported data.  It works by digging the raw pointer to the underlying
-// value out of the protected value and generating a new unprotected (unsafe)
-// reflect.Value to it.
-//
-// This allows us to check for implementations of the Stringer and error
-// interfaces to be used for pretty printing ordinarily unaddressable and
-// inaccessible values such as unexported struct fields.
-func unsafeReflectValue(v reflect.Value) (rv reflect.Value) {
-	indirects := 1
-	vt := v.Type()
-	upv := unsafe.Pointer(uintptr(unsafe.Pointer(&v)) + offsetPtr)
-	rvf := *(*uintptr)(unsafe.Pointer(uintptr(unsafe.Pointer(&v)) + offsetFlag))
-	if rvf&flagIndir != 0 {
-		vt = reflect.PtrTo(v.Type())
-		indirects++
-	} else if offsetScalar != 0 {
-		// The value is in the scalar field when it's not one of the
-		// reference types.
-		switch vt.Kind() {
-		case reflect.Uintptr:
-		case reflect.Chan:
-		case reflect.Func:
-		case reflect.Map:
-		case reflect.Ptr:
-		case reflect.UnsafePointer:
-		default:
-			upv = unsafe.Pointer(uintptr(unsafe.Pointer(&v)) +
-				offsetScalar)
-		}
-	}
-
-	pv := reflect.NewAt(vt, upv)
-	rv = pv
-	for i := 0; i < indirects; i++ {
-		rv = rv.Elem()
-	}
-	return rv
-}
diff --git a/vendor/github.com/davecgh/go-spew/spew/bypasssafe.go b/vendor/github.com/davecgh/go-spew/spew/bypasssafe.go
deleted file mode 100644
index 457e412..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/bypasssafe.go
+++ /dev/null
@@ -1,37 +0,0 @@
-// Copyright (c) 2015 Dave Collins <dave@davec.name>
-//
-// Permission to use, copy, modify, and distribute this software for any
-// purpose with or without fee is hereby granted, provided that the above
-// copyright notice and this permission notice appear in all copies.
-//
-// THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
-// WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
-// MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
-// ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
-// WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
-// ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
-// OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
-
-// NOTE: Due to the following build constraints, this file will only be compiled
-// when either the code is running on Google App Engine or "-tags disableunsafe"
-// is added to the go build command line.
-// +build appengine disableunsafe
-
-package spew
-
-import "reflect"
-
-const (
-	// UnsafeDisabled is a build-time constant which specifies whether or
-	// not access to the unsafe package is available.
-	UnsafeDisabled = true
-)
-
-// unsafeReflectValue typically converts the passed reflect.Value into a one
-// that bypasses the typical safety restrictions preventing access to
-// unaddressable and unexported data.  However, doing this relies on access to
-// the unsafe package.  This is a stub version which simply returns the passed
-// reflect.Value when the unsafe package is not available.
-func unsafeReflectValue(v reflect.Value) reflect.Value {
-	return v
-}
diff --git a/vendor/github.com/davecgh/go-spew/spew/common.go b/vendor/github.com/davecgh/go-spew/spew/common.go
deleted file mode 100644
index 14f02dc..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/common.go
+++ /dev/null
@@ -1,341 +0,0 @@
-/*
- * Copyright (c) 2013 Dave Collins <dave@davec.name>
- *
- * Permission to use, copy, modify, and distribute this software for any
- * purpose with or without fee is hereby granted, provided that the above
- * copyright notice and this permission notice appear in all copies.
- *
- * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
- * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
- * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
- * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
- * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
- * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
- * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- */
-
-package spew
-
-import (
-	"bytes"
-	"fmt"
-	"io"
-	"reflect"
-	"sort"
-	"strconv"
-)
-
-// Some constants in the form of bytes to avoid string overhead.  This mirrors
-// the technique used in the fmt package.
-var (
-	panicBytes            = []byte("(PANIC=")
-	plusBytes             = []byte("+")
-	iBytes                = []byte("i")
-	trueBytes             = []byte("true")
-	falseBytes            = []byte("false")
-	interfaceBytes        = []byte("(interface {})")
-	commaNewlineBytes     = []byte(",\n")
-	newlineBytes          = []byte("\n")
-	openBraceBytes        = []byte("{")
-	openBraceNewlineBytes = []byte("{\n")
-	closeBraceBytes       = []byte("}")
-	asteriskBytes         = []byte("*")
-	colonBytes            = []byte(":")
-	colonSpaceBytes       = []byte(": ")
-	openParenBytes        = []byte("(")
-	closeParenBytes       = []byte(")")
-	spaceBytes            = []byte(" ")
-	pointerChainBytes     = []byte("->")
-	nilAngleBytes         = []byte("<nil>")
-	maxNewlineBytes       = []byte("<max depth reached>\n")
-	maxShortBytes         = []byte("<max>")
-	circularBytes         = []byte("<already shown>")
-	circularShortBytes    = []byte("<shown>")
-	invalidAngleBytes     = []byte("<invalid>")
-	openBracketBytes      = []byte("[")
-	closeBracketBytes     = []byte("]")
-	percentBytes          = []byte("%")
-	precisionBytes        = []byte(".")
-	openAngleBytes        = []byte("<")
-	closeAngleBytes       = []byte(">")
-	openMapBytes          = []byte("map[")
-	closeMapBytes         = []byte("]")
-	lenEqualsBytes        = []byte("len=")
-	capEqualsBytes        = []byte("cap=")
-)
-
-// hexDigits is used to map a decimal value to a hex digit.
-var hexDigits = "0123456789abcdef"
-
-// catchPanic handles any panics that might occur during the handleMethods
-// calls.
-func catchPanic(w io.Writer, v reflect.Value) {
-	if err := recover(); err != nil {
-		w.Write(panicBytes)
-		fmt.Fprintf(w, "%v", err)
-		w.Write(closeParenBytes)
-	}
-}
-
-// handleMethods attempts to call the Error and String methods on the underlying
-// type the passed reflect.Value represents and outputes the result to Writer w.
-//
-// It handles panics in any called methods by catching and displaying the error
-// as the formatted value.
-func handleMethods(cs *ConfigState, w io.Writer, v reflect.Value) (handled bool) {
-	// We need an interface to check if the type implements the error or
-	// Stringer interface.  However, the reflect package won't give us an
-	// interface on certain things like unexported struct fields in order
-	// to enforce visibility rules.  We use unsafe, when it's available,
-	// to bypass these restrictions since this package does not mutate the
-	// values.
-	if !v.CanInterface() {
-		if UnsafeDisabled {
-			return false
-		}
-
-		v = unsafeReflectValue(v)
-	}
-
-	// Choose whether or not to do error and Stringer interface lookups against
-	// the base type or a pointer to the base type depending on settings.
-	// Technically calling one of these methods with a pointer receiver can
-	// mutate the value, however, types which choose to satisify an error or
-	// Stringer interface with a pointer receiver should not be mutating their
-	// state inside these interface methods.
-	if !cs.DisablePointerMethods && !UnsafeDisabled && !v.CanAddr() {
-		v = unsafeReflectValue(v)
-	}
-	if v.CanAddr() {
-		v = v.Addr()
-	}
-
-	// Is it an error or Stringer?
-	switch iface := v.Interface().(type) {
-	case error:
-		defer catchPanic(w, v)
-		if cs.ContinueOnMethod {
-			w.Write(openParenBytes)
-			w.Write([]byte(iface.Error()))
-			w.Write(closeParenBytes)
-			w.Write(spaceBytes)
-			return false
-		}
-
-		w.Write([]byte(iface.Error()))
-		return true
-
-	case fmt.Stringer:
-		defer catchPanic(w, v)
-		if cs.ContinueOnMethod {
-			w.Write(openParenBytes)
-			w.Write([]byte(iface.String()))
-			w.Write(closeParenBytes)
-			w.Write(spaceBytes)
-			return false
-		}
-		w.Write([]byte(iface.String()))
-		return true
-	}
-	return false
-}
-
-// printBool outputs a boolean value as true or false to Writer w.
-func printBool(w io.Writer, val bool) {
-	if val {
-		w.Write(trueBytes)
-	} else {
-		w.Write(falseBytes)
-	}
-}
-
-// printInt outputs a signed integer value to Writer w.
-func printInt(w io.Writer, val int64, base int) {
-	w.Write([]byte(strconv.FormatInt(val, base)))
-}
-
-// printUint outputs an unsigned integer value to Writer w.
-func printUint(w io.Writer, val uint64, base int) {
-	w.Write([]byte(strconv.FormatUint(val, base)))
-}
-
-// printFloat outputs a floating point value using the specified precision,
-// which is expected to be 32 or 64bit, to Writer w.
-func printFloat(w io.Writer, val float64, precision int) {
-	w.Write([]byte(strconv.FormatFloat(val, 'g', -1, precision)))
-}
-
-// printComplex outputs a complex value using the specified float precision
-// for the real and imaginary parts to Writer w.
-func printComplex(w io.Writer, c complex128, floatPrecision int) {
-	r := real(c)
-	w.Write(openParenBytes)
-	w.Write([]byte(strconv.FormatFloat(r, 'g', -1, floatPrecision)))
-	i := imag(c)
-	if i >= 0 {
-		w.Write(plusBytes)
-	}
-	w.Write([]byte(strconv.FormatFloat(i, 'g', -1, floatPrecision)))
-	w.Write(iBytes)
-	w.Write(closeParenBytes)
-}
-
-// printHexPtr outputs a uintptr formatted as hexidecimal with a leading '0x'
-// prefix to Writer w.
-func printHexPtr(w io.Writer, p uintptr) {
-	// Null pointer.
-	num := uint64(p)
-	if num == 0 {
-		w.Write(nilAngleBytes)
-		return
-	}
-
-	// Max uint64 is 16 bytes in hex + 2 bytes for '0x' prefix
-	buf := make([]byte, 18)
-
-	// It's simpler to construct the hex string right to left.
-	base := uint64(16)
-	i := len(buf) - 1
-	for num >= base {
-		buf[i] = hexDigits[num%base]
-		num /= base
-		i--
-	}
-	buf[i] = hexDigits[num]
-
-	// Add '0x' prefix.
-	i--
-	buf[i] = 'x'
-	i--
-	buf[i] = '0'
-
-	// Strip unused leading bytes.
-	buf = buf[i:]
-	w.Write(buf)
-}
-
-// valuesSorter implements sort.Interface to allow a slice of reflect.Value
-// elements to be sorted.
-type valuesSorter struct {
-	values  []reflect.Value
-	strings []string // either nil or same len and values
-	cs      *ConfigState
-}
-
-// newValuesSorter initializes a valuesSorter instance, which holds a set of
-// surrogate keys on which the data should be sorted.  It uses flags in
-// ConfigState to decide if and how to populate those surrogate keys.
-func newValuesSorter(values []reflect.Value, cs *ConfigState) sort.Interface {
-	vs := &valuesSorter{values: values, cs: cs}
-	if canSortSimply(vs.values[0].Kind()) {
-		return vs
-	}
-	if !cs.DisableMethods {
-		vs.strings = make([]string, len(values))
-		for i := range vs.values {
-			b := bytes.Buffer{}
-			if !handleMethods(cs, &b, vs.values[i]) {
-				vs.strings = nil
-				break
-			}
-			vs.strings[i] = b.String()
-		}
-	}
-	if vs.strings == nil && cs.SpewKeys {
-		vs.strings = make([]string, len(values))
-		for i := range vs.values {
-			vs.strings[i] = Sprintf("%#v", vs.values[i].Interface())
-		}
-	}
-	return vs
-}
-
-// canSortSimply tests whether a reflect.Kind is a primitive that can be sorted
-// directly, or whether it should be considered for sorting by surrogate keys
-// (if the ConfigState allows it).
-func canSortSimply(kind reflect.Kind) bool {
-	// This switch parallels valueSortLess, except for the default case.
-	switch kind {
-	case reflect.Bool:
-		return true
-	case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64, reflect.Int:
-		return true
-	case reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uint:
-		return true
-	case reflect.Float32, reflect.Float64:
-		return true
-	case reflect.String:
-		return true
-	case reflect.Uintptr:
-		return true
-	case reflect.Array:
-		return true
-	}
-	return false
-}
-
-// Len returns the number of values in the slice.  It is part of the
-// sort.Interface implementation.
-func (s *valuesSorter) Len() int {
-	return len(s.values)
-}
-
-// Swap swaps the values at the passed indices.  It is part of the
-// sort.Interface implementation.
-func (s *valuesSorter) Swap(i, j int) {
-	s.values[i], s.values[j] = s.values[j], s.values[i]
-	if s.strings != nil {
-		s.strings[i], s.strings[j] = s.strings[j], s.strings[i]
-	}
-}
-
-// valueSortLess returns whether the first value should sort before the second
-// value.  It is used by valueSorter.Less as part of the sort.Interface
-// implementation.
-func valueSortLess(a, b reflect.Value) bool {
-	switch a.Kind() {
-	case reflect.Bool:
-		return !a.Bool() && b.Bool()
-	case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64, reflect.Int:
-		return a.Int() < b.Int()
-	case reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uint:
-		return a.Uint() < b.Uint()
-	case reflect.Float32, reflect.Float64:
-		return a.Float() < b.Float()
-	case reflect.String:
-		return a.String() < b.String()
-	case reflect.Uintptr:
-		return a.Uint() < b.Uint()
-	case reflect.Array:
-		// Compare the contents of both arrays.
-		l := a.Len()
-		for i := 0; i < l; i++ {
-			av := a.Index(i)
-			bv := b.Index(i)
-			if av.Interface() == bv.Interface() {
-				continue
-			}
-			return valueSortLess(av, bv)
-		}
-	}
-	return a.String() < b.String()
-}
-
-// Less returns whether the value at index i should sort before the
-// value at index j.  It is part of the sort.Interface implementation.
-func (s *valuesSorter) Less(i, j int) bool {
-	if s.strings == nil {
-		return valueSortLess(s.values[i], s.values[j])
-	}
-	return s.strings[i] < s.strings[j]
-}
-
-// sortValues is a sort function that handles both native types and any type that
-// can be converted to error or Stringer.  Other inputs are sorted according to
-// their Value.String() value to ensure display stability.
-func sortValues(values []reflect.Value, cs *ConfigState) {
-	if len(values) == 0 {
-		return
-	}
-	sort.Sort(newValuesSorter(values, cs))
-}
diff --git a/vendor/github.com/davecgh/go-spew/spew/config.go b/vendor/github.com/davecgh/go-spew/spew/config.go
deleted file mode 100644
index ee1ab07..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/config.go
+++ /dev/null
@@ -1,297 +0,0 @@
-/*
- * Copyright (c) 2013 Dave Collins <dave@davec.name>
- *
- * Permission to use, copy, modify, and distribute this software for any
- * purpose with or without fee is hereby granted, provided that the above
- * copyright notice and this permission notice appear in all copies.
- *
- * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
- * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
- * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
- * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
- * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
- * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
- * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- */
-
-package spew
-
-import (
-	"bytes"
-	"fmt"
-	"io"
-	"os"
-)
-
-// ConfigState houses the configuration options used by spew to format and
-// display values.  There is a global instance, Config, that is used to control
-// all top-level Formatter and Dump functionality.  Each ConfigState instance
-// provides methods equivalent to the top-level functions.
-//
-// The zero value for ConfigState provides no indentation.  You would typically
-// want to set it to a space or a tab.
-//
-// Alternatively, you can use NewDefaultConfig to get a ConfigState instance
-// with default settings.  See the documentation of NewDefaultConfig for default
-// values.
-type ConfigState struct {
-	// Indent specifies the string to use for each indentation level.  The
-	// global config instance that all top-level functions use set this to a
-	// single space by default.  If you would like more indentation, you might
-	// set this to a tab with "\t" or perhaps two spaces with "  ".
-	Indent string
-
-	// MaxDepth controls the maximum number of levels to descend into nested
-	// data structures.  The default, 0, means there is no limit.
-	//
-	// NOTE: Circular data structures are properly detected, so it is not
-	// necessary to set this value unless you specifically want to limit deeply
-	// nested data structures.
-	MaxDepth int
-
-	// DisableMethods specifies whether or not error and Stringer interfaces are
-	// invoked for types that implement them.
-	DisableMethods bool
-
-	// DisablePointerMethods specifies whether or not to check for and invoke
-	// error and Stringer interfaces on types which only accept a pointer
-	// receiver when the current type is not a pointer.
-	//
-	// NOTE: This might be an unsafe action since calling one of these methods
-	// with a pointer receiver could technically mutate the value, however,
-	// in practice, types which choose to satisify an error or Stringer
-	// interface with a pointer receiver should not be mutating their state
-	// inside these interface methods.  As a result, this option relies on
-	// access to the unsafe package, so it will not have any effect when
-	// running in environments without access to the unsafe package such as
-	// Google App Engine or with the "disableunsafe" build tag specified.
-	DisablePointerMethods bool
-
-	// ContinueOnMethod specifies whether or not recursion should continue once
-	// a custom error or Stringer interface is invoked.  The default, false,
-	// means it will print the results of invoking the custom error or Stringer
-	// interface and return immediately instead of continuing to recurse into
-	// the internals of the data type.
-	//
-	// NOTE: This flag does not have any effect if method invocation is disabled
-	// via the DisableMethods or DisablePointerMethods options.
-	ContinueOnMethod bool
-
-	// SortKeys specifies map keys should be sorted before being printed. Use
-	// this to have a more deterministic, diffable output.  Note that only
-	// native types (bool, int, uint, floats, uintptr and string) and types
-	// that support the error or Stringer interfaces (if methods are
-	// enabled) are supported, with other types sorted according to the
-	// reflect.Value.String() output which guarantees display stability.
-	SortKeys bool
-
-	// SpewKeys specifies that, as a last resort attempt, map keys should
-	// be spewed to strings and sorted by those strings.  This is only
-	// considered if SortKeys is true.
-	SpewKeys bool
-}
-
-// Config is the active configuration of the top-level functions.
-// The configuration can be changed by modifying the contents of spew.Config.
-var Config = ConfigState{Indent: " "}
-
-// Errorf is a wrapper for fmt.Errorf that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the formatted string as a value that satisfies error.  See NewFormatter
-// for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Errorf(format, c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Errorf(format string, a ...interface{}) (err error) {
-	return fmt.Errorf(format, c.convertArgs(a)...)
-}
-
-// Fprint is a wrapper for fmt.Fprint that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Fprint(w, c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Fprint(w io.Writer, a ...interface{}) (n int, err error) {
-	return fmt.Fprint(w, c.convertArgs(a)...)
-}
-
-// Fprintf is a wrapper for fmt.Fprintf that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Fprintf(w, format, c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Fprintf(w io.Writer, format string, a ...interface{}) (n int, err error) {
-	return fmt.Fprintf(w, format, c.convertArgs(a)...)
-}
-
-// Fprintln is a wrapper for fmt.Fprintln that treats each argument as if it
-// passed with a Formatter interface returned by c.NewFormatter.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Fprintln(w, c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Fprintln(w io.Writer, a ...interface{}) (n int, err error) {
-	return fmt.Fprintln(w, c.convertArgs(a)...)
-}
-
-// Print is a wrapper for fmt.Print that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Print(c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Print(a ...interface{}) (n int, err error) {
-	return fmt.Print(c.convertArgs(a)...)
-}
-
-// Printf is a wrapper for fmt.Printf that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Printf(format, c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Printf(format string, a ...interface{}) (n int, err error) {
-	return fmt.Printf(format, c.convertArgs(a)...)
-}
-
-// Println is a wrapper for fmt.Println that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Println(c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Println(a ...interface{}) (n int, err error) {
-	return fmt.Println(c.convertArgs(a)...)
-}
-
-// Sprint is a wrapper for fmt.Sprint that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the resulting string.  See NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Sprint(c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Sprint(a ...interface{}) string {
-	return fmt.Sprint(c.convertArgs(a)...)
-}
-
-// Sprintf is a wrapper for fmt.Sprintf that treats each argument as if it were
-// passed with a Formatter interface returned by c.NewFormatter.  It returns
-// the resulting string.  See NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Sprintf(format, c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Sprintf(format string, a ...interface{}) string {
-	return fmt.Sprintf(format, c.convertArgs(a)...)
-}
-
-// Sprintln is a wrapper for fmt.Sprintln that treats each argument as if it
-// were passed with a Formatter interface returned by c.NewFormatter.  It
-// returns the resulting string.  See NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Sprintln(c.NewFormatter(a), c.NewFormatter(b))
-func (c *ConfigState) Sprintln(a ...interface{}) string {
-	return fmt.Sprintln(c.convertArgs(a)...)
-}
-
-/*
-NewFormatter returns a custom formatter that satisfies the fmt.Formatter
-interface.  As a result, it integrates cleanly with standard fmt package
-printing functions.  The formatter is useful for inline printing of smaller data
-types similar to the standard %v format specifier.
-
-The custom formatter only responds to the %v (most compact), %+v (adds pointer
-addresses), %#v (adds types), and %#+v (adds types and pointer addresses) verb
-combinations.  Any other verbs such as %x and %q will be sent to the the
-standard fmt package for formatting.  In addition, the custom formatter ignores
-the width and precision arguments (however they will still work on the format
-specifiers not handled by the custom formatter).
-
-Typically this function shouldn't be called directly.  It is much easier to make
-use of the custom formatter by calling one of the convenience functions such as
-c.Printf, c.Println, or c.Printf.
-*/
-func (c *ConfigState) NewFormatter(v interface{}) fmt.Formatter {
-	return newFormatter(c, v)
-}
-
-// Fdump formats and displays the passed arguments to io.Writer w.  It formats
-// exactly the same as Dump.
-func (c *ConfigState) Fdump(w io.Writer, a ...interface{}) {
-	fdump(c, w, a...)
-}
-
-/*
-Dump displays the passed parameters to standard out with newlines, customizable
-indentation, and additional debug information such as complete types and all
-pointer addresses used to indirect to the final value.  It provides the
-following features over the built-in printing facilities provided by the fmt
-package:
-
-	* Pointers are dereferenced and followed
-	* Circular data structures are detected and handled properly
-	* Custom Stringer/error interfaces are optionally invoked, including
-	  on unexported types
-	* Custom types which only implement the Stringer/error interfaces via
-	  a pointer receiver are optionally invoked when passing non-pointer
-	  variables
-	* Byte arrays and slices are dumped like the hexdump -C command which
-	  includes offsets, byte values in hex, and ASCII output
-
-The configuration options are controlled by modifying the public members
-of c.  See ConfigState for options documentation.
-
-See Fdump if you would prefer dumping to an arbitrary io.Writer or Sdump to
-get the formatted result as a string.
-*/
-func (c *ConfigState) Dump(a ...interface{}) {
-	fdump(c, os.Stdout, a...)
-}
-
-// Sdump returns a string with the passed arguments formatted exactly the same
-// as Dump.
-func (c *ConfigState) Sdump(a ...interface{}) string {
-	var buf bytes.Buffer
-	fdump(c, &buf, a...)
-	return buf.String()
-}
-
-// convertArgs accepts a slice of arguments and returns a slice of the same
-// length with each argument converted to a spew Formatter interface using
-// the ConfigState associated with s.
-func (c *ConfigState) convertArgs(args []interface{}) (formatters []interface{}) {
-	formatters = make([]interface{}, len(args))
-	for index, arg := range args {
-		formatters[index] = newFormatter(c, arg)
-	}
-	return formatters
-}
-
-// NewDefaultConfig returns a ConfigState with the following default settings.
-//
-// 	Indent: " "
-// 	MaxDepth: 0
-// 	DisableMethods: false
-// 	DisablePointerMethods: false
-// 	ContinueOnMethod: false
-// 	SortKeys: false
-func NewDefaultConfig() *ConfigState {
-	return &ConfigState{Indent: " "}
-}
diff --git a/vendor/github.com/davecgh/go-spew/spew/doc.go b/vendor/github.com/davecgh/go-spew/spew/doc.go
deleted file mode 100644
index 5be0c40..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/doc.go
+++ /dev/null
@@ -1,202 +0,0 @@
-/*
- * Copyright (c) 2013 Dave Collins <dave@davec.name>
- *
- * Permission to use, copy, modify, and distribute this software for any
- * purpose with or without fee is hereby granted, provided that the above
- * copyright notice and this permission notice appear in all copies.
- *
- * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
- * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
- * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
- * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
- * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
- * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
- * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- */
-
-/*
-Package spew implements a deep pretty printer for Go data structures to aid in
-debugging.
-
-A quick overview of the additional features spew provides over the built-in
-printing facilities for Go data types are as follows:
-
-	* Pointers are dereferenced and followed
-	* Circular data structures are detected and handled properly
-	* Custom Stringer/error interfaces are optionally invoked, including
-	  on unexported types
-	* Custom types which only implement the Stringer/error interfaces via
-	  a pointer receiver are optionally invoked when passing non-pointer
-	  variables
-	* Byte arrays and slices are dumped like the hexdump -C command which
-	  includes offsets, byte values in hex, and ASCII output (only when using
-	  Dump style)
-
-There are two different approaches spew allows for dumping Go data structures:
-
-	* Dump style which prints with newlines, customizable indentation,
-	  and additional debug information such as types and all pointer addresses
-	  used to indirect to the final value
-	* A custom Formatter interface that integrates cleanly with the standard fmt
-	  package and replaces %v, %+v, %#v, and %#+v to provide inline printing
-	  similar to the default %v while providing the additional functionality
-	  outlined above and passing unsupported format verbs such as %x and %q
-	  along to fmt
-
-Quick Start
-
-This section demonstrates how to quickly get started with spew.  See the
-sections below for further details on formatting and configuration options.
-
-To dump a variable with full newlines, indentation, type, and pointer
-information use Dump, Fdump, or Sdump:
-	spew.Dump(myVar1, myVar2, ...)
-	spew.Fdump(someWriter, myVar1, myVar2, ...)
-	str := spew.Sdump(myVar1, myVar2, ...)
-
-Alternatively, if you would prefer to use format strings with a compacted inline
-printing style, use the convenience wrappers Printf, Fprintf, etc with
-%v (most compact), %+v (adds pointer addresses), %#v (adds types), or
-%#+v (adds types and pointer addresses):
-	spew.Printf("myVar1: %v -- myVar2: %+v", myVar1, myVar2)
-	spew.Printf("myVar3: %#v -- myVar4: %#+v", myVar3, myVar4)
-	spew.Fprintf(someWriter, "myVar1: %v -- myVar2: %+v", myVar1, myVar2)
-	spew.Fprintf(someWriter, "myVar3: %#v -- myVar4: %#+v", myVar3, myVar4)
-
-Configuration Options
-
-Configuration of spew is handled by fields in the ConfigState type.  For
-convenience, all of the top-level functions use a global state available
-via the spew.Config global.
-
-It is also possible to create a ConfigState instance that provides methods
-equivalent to the top-level functions.  This allows concurrent configuration
-options.  See the ConfigState documentation for more details.
-
-The following configuration options are available:
-	* Indent
-		String to use for each indentation level for Dump functions.
-		It is a single space by default.  A popular alternative is "\t".
-
-	* MaxDepth
-		Maximum number of levels to descend into nested data structures.
-		There is no limit by default.
-
-	* DisableMethods
-		Disables invocation of error and Stringer interface methods.
-		Method invocation is enabled by default.
-
-	* DisablePointerMethods
-		Disables invocation of error and Stringer interface methods on types
-		which only accept pointer receivers from non-pointer variables.
-		Pointer method invocation is enabled by default.
-
-	* ContinueOnMethod
-		Enables recursion into types after invoking error and Stringer interface
-		methods. Recursion after method invocation is disabled by default.
-
-	* SortKeys
-		Specifies map keys should be sorted before being printed. Use
-		this to have a more deterministic, diffable output.  Note that
-		only native types (bool, int, uint, floats, uintptr and string)
-		and types which implement error or Stringer interfaces are
-		supported with other types sorted according to the
-		reflect.Value.String() output which guarantees display
-		stability.  Natural map order is used by default.
-
-	* SpewKeys
-		Specifies that, as a last resort attempt, map keys should be
-		spewed to strings and sorted by those strings.  This is only
-		considered if SortKeys is true.
-
-Dump Usage
-
-Simply call spew.Dump with a list of variables you want to dump:
-
-	spew.Dump(myVar1, myVar2, ...)
-
-You may also call spew.Fdump if you would prefer to output to an arbitrary
-io.Writer.  For example, to dump to standard error:
-
-	spew.Fdump(os.Stderr, myVar1, myVar2, ...)
-
-A third option is to call spew.Sdump to get the formatted output as a string:
-
-	str := spew.Sdump(myVar1, myVar2, ...)
-
-Sample Dump Output
-
-See the Dump example for details on the setup of the types and variables being
-shown here.
-
-	(main.Foo) {
-	 unexportedField: (*main.Bar)(0xf84002e210)({
-	  flag: (main.Flag) flagTwo,
-	  data: (uintptr) <nil>
-	 }),
-	 ExportedField: (map[interface {}]interface {}) (len=1) {
-	  (string) (len=3) "one": (bool) true
-	 }
-	}
-
-Byte (and uint8) arrays and slices are displayed uniquely like the hexdump -C
-command as shown.
-	([]uint8) (len=32 cap=32) {
-	 00000000  11 12 13 14 15 16 17 18  19 1a 1b 1c 1d 1e 1f 20  |............... |
-	 00000010  21 22 23 24 25 26 27 28  29 2a 2b 2c 2d 2e 2f 30  |!"#$%&'()*+,-./0|
-	 00000020  31 32                                             |12|
-	}
-
-Custom Formatter
-
-Spew provides a custom formatter that implements the fmt.Formatter interface
-so that it integrates cleanly with standard fmt package printing functions. The
-formatter is useful for inline printing of smaller data types similar to the
-standard %v format specifier.
-
-The custom formatter only responds to the %v (most compact), %+v (adds pointer
-addresses), %#v (adds types), or %#+v (adds types and pointer addresses) verb
-combinations.  Any other verbs such as %x and %q will be sent to the the
-standard fmt package for formatting.  In addition, the custom formatter ignores
-the width and precision arguments (however they will still work on the format
-specifiers not handled by the custom formatter).
-
-Custom Formatter Usage
-
-The simplest way to make use of the spew custom formatter is to call one of the
-convenience functions such as spew.Printf, spew.Println, or spew.Printf.  The
-functions have syntax you are most likely already familiar with:
-
-	spew.Printf("myVar1: %v -- myVar2: %+v", myVar1, myVar2)
-	spew.Printf("myVar3: %#v -- myVar4: %#+v", myVar3, myVar4)
-	spew.Println(myVar, myVar2)
-	spew.Fprintf(os.Stderr, "myVar1: %v -- myVar2: %+v", myVar1, myVar2)
-	spew.Fprintf(os.Stderr, "myVar3: %#v -- myVar4: %#+v", myVar3, myVar4)
-
-See the Index for the full list convenience functions.
-
-Sample Formatter Output
-
-Double pointer to a uint8:
-	  %v: <**>5
-	 %+v: <**>(0xf8400420d0->0xf8400420c8)5
-	 %#v: (**uint8)5
-	%#+v: (**uint8)(0xf8400420d0->0xf8400420c8)5
-
-Pointer to circular struct with a uint8 field and a pointer to itself:
-	  %v: <*>{1 <*><shown>}
-	 %+v: <*>(0xf84003e260){ui8:1 c:<*>(0xf84003e260)<shown>}
-	 %#v: (*main.circular){ui8:(uint8)1 c:(*main.circular)<shown>}
-	%#+v: (*main.circular)(0xf84003e260){ui8:(uint8)1 c:(*main.circular)(0xf84003e260)<shown>}
-
-See the Printf example for details on the setup of variables being shown
-here.
-
-Errors
-
-Since it is possible for custom Stringer/error interfaces to panic, spew
-detects them and handles them internally by printing the panic information
-inline with the output.  Since spew is intended to provide deep pretty printing
-capabilities on structures, it intentionally does not return any errors.
-*/
-package spew
diff --git a/vendor/github.com/davecgh/go-spew/spew/dump.go b/vendor/github.com/davecgh/go-spew/spew/dump.go
deleted file mode 100644
index a0ff95e..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/dump.go
+++ /dev/null
@@ -1,509 +0,0 @@
-/*
- * Copyright (c) 2013 Dave Collins <dave@davec.name>
- *
- * Permission to use, copy, modify, and distribute this software for any
- * purpose with or without fee is hereby granted, provided that the above
- * copyright notice and this permission notice appear in all copies.
- *
- * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
- * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
- * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
- * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
- * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
- * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
- * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- */
-
-package spew
-
-import (
-	"bytes"
-	"encoding/hex"
-	"fmt"
-	"io"
-	"os"
-	"reflect"
-	"regexp"
-	"strconv"
-	"strings"
-)
-
-var (
-	// uint8Type is a reflect.Type representing a uint8.  It is used to
-	// convert cgo types to uint8 slices for hexdumping.
-	uint8Type = reflect.TypeOf(uint8(0))
-
-	// cCharRE is a regular expression that matches a cgo char.
-	// It is used to detect character arrays to hexdump them.
-	cCharRE = regexp.MustCompile("^.*\\._Ctype_char$")
-
-	// cUnsignedCharRE is a regular expression that matches a cgo unsigned
-	// char.  It is used to detect unsigned character arrays to hexdump
-	// them.
-	cUnsignedCharRE = regexp.MustCompile("^.*\\._Ctype_unsignedchar$")
-
-	// cUint8tCharRE is a regular expression that matches a cgo uint8_t.
-	// It is used to detect uint8_t arrays to hexdump them.
-	cUint8tCharRE = regexp.MustCompile("^.*\\._Ctype_uint8_t$")
-)
-
-// dumpState contains information about the state of a dump operation.
-type dumpState struct {
-	w                io.Writer
-	depth            int
-	pointers         map[uintptr]int
-	ignoreNextType   bool
-	ignoreNextIndent bool
-	cs               *ConfigState
-}
-
-// indent performs indentation according to the depth level and cs.Indent
-// option.
-func (d *dumpState) indent() {
-	if d.ignoreNextIndent {
-		d.ignoreNextIndent = false
-		return
-	}
-	d.w.Write(bytes.Repeat([]byte(d.cs.Indent), d.depth))
-}
-
-// unpackValue returns values inside of non-nil interfaces when possible.
-// This is useful for data types like structs, arrays, slices, and maps which
-// can contain varying types packed inside an interface.
-func (d *dumpState) unpackValue(v reflect.Value) reflect.Value {
-	if v.Kind() == reflect.Interface && !v.IsNil() {
-		v = v.Elem()
-	}
-	return v
-}
-
-// dumpPtr handles formatting of pointers by indirecting them as necessary.
-func (d *dumpState) dumpPtr(v reflect.Value) {
-	// Remove pointers at or below the current depth from map used to detect
-	// circular refs.
-	for k, depth := range d.pointers {
-		if depth >= d.depth {
-			delete(d.pointers, k)
-		}
-	}
-
-	// Keep list of all dereferenced pointers to show later.
-	pointerChain := make([]uintptr, 0)
-
-	// Figure out how many levels of indirection there are by dereferencing
-	// pointers and unpacking interfaces down the chain while detecting circular
-	// references.
-	nilFound := false
-	cycleFound := false
-	indirects := 0
-	ve := v
-	for ve.Kind() == reflect.Ptr {
-		if ve.IsNil() {
-			nilFound = true
-			break
-		}
-		indirects++
-		addr := ve.Pointer()
-		pointerChain = append(pointerChain, addr)
-		if pd, ok := d.pointers[addr]; ok && pd < d.depth {
-			cycleFound = true
-			indirects--
-			break
-		}
-		d.pointers[addr] = d.depth
-
-		ve = ve.Elem()
-		if ve.Kind() == reflect.Interface {
-			if ve.IsNil() {
-				nilFound = true
-				break
-			}
-			ve = ve.Elem()
-		}
-	}
-
-	// Display type information.
-	d.w.Write(openParenBytes)
-	d.w.Write(bytes.Repeat(asteriskBytes, indirects))
-	d.w.Write([]byte(ve.Type().String()))
-	d.w.Write(closeParenBytes)
-
-	// Display pointer information.
-	if len(pointerChain) > 0 {
-		d.w.Write(openParenBytes)
-		for i, addr := range pointerChain {
-			if i > 0 {
-				d.w.Write(pointerChainBytes)
-			}
-			printHexPtr(d.w, addr)
-		}
-		d.w.Write(closeParenBytes)
-	}
-
-	// Display dereferenced value.
-	d.w.Write(openParenBytes)
-	switch {
-	case nilFound == true:
-		d.w.Write(nilAngleBytes)
-
-	case cycleFound == true:
-		d.w.Write(circularBytes)
-
-	default:
-		d.ignoreNextType = true
-		d.dump(ve)
-	}
-	d.w.Write(closeParenBytes)
-}
-
-// dumpSlice handles formatting of arrays and slices.  Byte (uint8 under
-// reflection) arrays and slices are dumped in hexdump -C fashion.
-func (d *dumpState) dumpSlice(v reflect.Value) {
-	// Determine whether this type should be hex dumped or not.  Also,
-	// for types which should be hexdumped, try to use the underlying data
-	// first, then fall back to trying to convert them to a uint8 slice.
-	var buf []uint8
-	doConvert := false
-	doHexDump := false
-	numEntries := v.Len()
-	if numEntries > 0 {
-		vt := v.Index(0).Type()
-		vts := vt.String()
-		switch {
-		// C types that need to be converted.
-		case cCharRE.MatchString(vts):
-			fallthrough
-		case cUnsignedCharRE.MatchString(vts):
-			fallthrough
-		case cUint8tCharRE.MatchString(vts):
-			doConvert = true
-
-		// Try to use existing uint8 slices and fall back to converting
-		// and copying if that fails.
-		case vt.Kind() == reflect.Uint8:
-			// We need an addressable interface to convert the type
-			// to a byte slice.  However, the reflect package won't
-			// give us an interface on certain things like
-			// unexported struct fields in order to enforce
-			// visibility rules.  We use unsafe, when available, to
-			// bypass these restrictions since this package does not
-			// mutate the values.
-			vs := v
-			if !vs.CanInterface() || !vs.CanAddr() {
-				vs = unsafeReflectValue(vs)
-			}
-			if !UnsafeDisabled {
-				vs = vs.Slice(0, numEntries)
-
-				// Use the existing uint8 slice if it can be
-				// type asserted.
-				iface := vs.Interface()
-				if slice, ok := iface.([]uint8); ok {
-					buf = slice
-					doHexDump = true
-					break
-				}
-			}
-
-			// The underlying data needs to be converted if it can't
-			// be type asserted to a uint8 slice.
-			doConvert = true
-		}
-
-		// Copy and convert the underlying type if needed.
-		if doConvert && vt.ConvertibleTo(uint8Type) {
-			// Convert and copy each element into a uint8 byte
-			// slice.
-			buf = make([]uint8, numEntries)
-			for i := 0; i < numEntries; i++ {
-				vv := v.Index(i)
-				buf[i] = uint8(vv.Convert(uint8Type).Uint())
-			}
-			doHexDump = true
-		}
-	}
-
-	// Hexdump the entire slice as needed.
-	if doHexDump {
-		indent := strings.Repeat(d.cs.Indent, d.depth)
-		str := indent + hex.Dump(buf)
-		str = strings.Replace(str, "\n", "\n"+indent, -1)
-		str = strings.TrimRight(str, d.cs.Indent)
-		d.w.Write([]byte(str))
-		return
-	}
-
-	// Recursively call dump for each item.
-	for i := 0; i < numEntries; i++ {
-		d.dump(d.unpackValue(v.Index(i)))
-		if i < (numEntries - 1) {
-			d.w.Write(commaNewlineBytes)
-		} else {
-			d.w.Write(newlineBytes)
-		}
-	}
-}
-
-// dump is the main workhorse for dumping a value.  It uses the passed reflect
-// value to figure out what kind of object we are dealing with and formats it
-// appropriately.  It is a recursive function, however circular data structures
-// are detected and handled properly.
-func (d *dumpState) dump(v reflect.Value) {
-	// Handle invalid reflect values immediately.
-	kind := v.Kind()
-	if kind == reflect.Invalid {
-		d.w.Write(invalidAngleBytes)
-		return
-	}
-
-	// Handle pointers specially.
-	if kind == reflect.Ptr {
-		d.indent()
-		d.dumpPtr(v)
-		return
-	}
-
-	// Print type information unless already handled elsewhere.
-	if !d.ignoreNextType {
-		d.indent()
-		d.w.Write(openParenBytes)
-		d.w.Write([]byte(v.Type().String()))
-		d.w.Write(closeParenBytes)
-		d.w.Write(spaceBytes)
-	}
-	d.ignoreNextType = false
-
-	// Display length and capacity if the built-in len and cap functions
-	// work with the value's kind and the len/cap itself is non-zero.
-	valueLen, valueCap := 0, 0
-	switch v.Kind() {
-	case reflect.Array, reflect.Slice, reflect.Chan:
-		valueLen, valueCap = v.Len(), v.Cap()
-	case reflect.Map, reflect.String:
-		valueLen = v.Len()
-	}
-	if valueLen != 0 || valueCap != 0 {
-		d.w.Write(openParenBytes)
-		if valueLen != 0 {
-			d.w.Write(lenEqualsBytes)
-			printInt(d.w, int64(valueLen), 10)
-		}
-		if valueCap != 0 {
-			if valueLen != 0 {
-				d.w.Write(spaceBytes)
-			}
-			d.w.Write(capEqualsBytes)
-			printInt(d.w, int64(valueCap), 10)
-		}
-		d.w.Write(closeParenBytes)
-		d.w.Write(spaceBytes)
-	}
-
-	// Call Stringer/error interfaces if they exist and the handle methods flag
-	// is enabled
-	if !d.cs.DisableMethods {
-		if (kind != reflect.Invalid) && (kind != reflect.Interface) {
-			if handled := handleMethods(d.cs, d.w, v); handled {
-				return
-			}
-		}
-	}
-
-	switch kind {
-	case reflect.Invalid:
-		// Do nothing.  We should never get here since invalid has already
-		// been handled above.
-
-	case reflect.Bool:
-		printBool(d.w, v.Bool())
-
-	case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64, reflect.Int:
-		printInt(d.w, v.Int(), 10)
-
-	case reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uint:
-		printUint(d.w, v.Uint(), 10)
-
-	case reflect.Float32:
-		printFloat(d.w, v.Float(), 32)
-
-	case reflect.Float64:
-		printFloat(d.w, v.Float(), 64)
-
-	case reflect.Complex64:
-		printComplex(d.w, v.Complex(), 32)
-
-	case reflect.Complex128:
-		printComplex(d.w, v.Complex(), 64)
-
-	case reflect.Slice:
-		if v.IsNil() {
-			d.w.Write(nilAngleBytes)
-			break
-		}
-		fallthrough
-
-	case reflect.Array:
-		d.w.Write(openBraceNewlineBytes)
-		d.depth++
-		if (d.cs.MaxDepth != 0) && (d.depth > d.cs.MaxDepth) {
-			d.indent()
-			d.w.Write(maxNewlineBytes)
-		} else {
-			d.dumpSlice(v)
-		}
-		d.depth--
-		d.indent()
-		d.w.Write(closeBraceBytes)
-
-	case reflect.String:
-		d.w.Write([]byte(strconv.Quote(v.String())))
-
-	case reflect.Interface:
-		// The only time we should get here is for nil interfaces due to
-		// unpackValue calls.
-		if v.IsNil() {
-			d.w.Write(nilAngleBytes)
-		}
-
-	case reflect.Ptr:
-		// Do nothing.  We should never get here since pointers have already
-		// been handled above.
-
-	case reflect.Map:
-		// nil maps should be indicated as different than empty maps
-		if v.IsNil() {
-			d.w.Write(nilAngleBytes)
-			break
-		}
-
-		d.w.Write(openBraceNewlineBytes)
-		d.depth++
-		if (d.cs.MaxDepth != 0) && (d.depth > d.cs.MaxDepth) {
-			d.indent()
-			d.w.Write(maxNewlineBytes)
-		} else {
-			numEntries := v.Len()
-			keys := v.MapKeys()
-			if d.cs.SortKeys {
-				sortValues(keys, d.cs)
-			}
-			for i, key := range keys {
-				d.dump(d.unpackValue(key))
-				d.w.Write(colonSpaceBytes)
-				d.ignoreNextIndent = true
-				d.dump(d.unpackValue(v.MapIndex(key)))
-				if i < (numEntries - 1) {
-					d.w.Write(commaNewlineBytes)
-				} else {
-					d.w.Write(newlineBytes)
-				}
-			}
-		}
-		d.depth--
-		d.indent()
-		d.w.Write(closeBraceBytes)
-
-	case reflect.Struct:
-		d.w.Write(openBraceNewlineBytes)
-		d.depth++
-		if (d.cs.MaxDepth != 0) && (d.depth > d.cs.MaxDepth) {
-			d.indent()
-			d.w.Write(maxNewlineBytes)
-		} else {
-			vt := v.Type()
-			numFields := v.NumField()
-			for i := 0; i < numFields; i++ {
-				d.indent()
-				vtf := vt.Field(i)
-				d.w.Write([]byte(vtf.Name))
-				d.w.Write(colonSpaceBytes)
-				d.ignoreNextIndent = true
-				d.dump(d.unpackValue(v.Field(i)))
-				if i < (numFields - 1) {
-					d.w.Write(commaNewlineBytes)
-				} else {
-					d.w.Write(newlineBytes)
-				}
-			}
-		}
-		d.depth--
-		d.indent()
-		d.w.Write(closeBraceBytes)
-
-	case reflect.Uintptr:
-		printHexPtr(d.w, uintptr(v.Uint()))
-
-	case reflect.UnsafePointer, reflect.Chan, reflect.Func:
-		printHexPtr(d.w, v.Pointer())
-
-	// There were not any other types at the time this code was written, but
-	// fall back to letting the default fmt package handle it in case any new
-	// types are added.
-	default:
-		if v.CanInterface() {
-			fmt.Fprintf(d.w, "%v", v.Interface())
-		} else {
-			fmt.Fprintf(d.w, "%v", v.String())
-		}
-	}
-}
-
-// fdump is a helper function to consolidate the logic from the various public
-// methods which take varying writers and config states.
-func fdump(cs *ConfigState, w io.Writer, a ...interface{}) {
-	for _, arg := range a {
-		if arg == nil {
-			w.Write(interfaceBytes)
-			w.Write(spaceBytes)
-			w.Write(nilAngleBytes)
-			w.Write(newlineBytes)
-			continue
-		}
-
-		d := dumpState{w: w, cs: cs}
-		d.pointers = make(map[uintptr]int)
-		d.dump(reflect.ValueOf(arg))
-		d.w.Write(newlineBytes)
-	}
-}
-
-// Fdump formats and displays the passed arguments to io.Writer w.  It formats
-// exactly the same as Dump.
-func Fdump(w io.Writer, a ...interface{}) {
-	fdump(&Config, w, a...)
-}
-
-// Sdump returns a string with the passed arguments formatted exactly the same
-// as Dump.
-func Sdump(a ...interface{}) string {
-	var buf bytes.Buffer
-	fdump(&Config, &buf, a...)
-	return buf.String()
-}
-
-/*
-Dump displays the passed parameters to standard out with newlines, customizable
-indentation, and additional debug information such as complete types and all
-pointer addresses used to indirect to the final value.  It provides the
-following features over the built-in printing facilities provided by the fmt
-package:
-
-	* Pointers are dereferenced and followed
-	* Circular data structures are detected and handled properly
-	* Custom Stringer/error interfaces are optionally invoked, including
-	  on unexported types
-	* Custom types which only implement the Stringer/error interfaces via
-	  a pointer receiver are optionally invoked when passing non-pointer
-	  variables
-	* Byte arrays and slices are dumped like the hexdump -C command which
-	  includes offsets, byte values in hex, and ASCII output
-
-The configuration options are controlled by an exported package global,
-spew.Config.  See ConfigState for options documentation.
-
-See Fdump if you would prefer dumping to an arbitrary io.Writer or Sdump to
-get the formatted result as a string.
-*/
-func Dump(a ...interface{}) {
-	fdump(&Config, os.Stdout, a...)
-}
diff --git a/vendor/github.com/davecgh/go-spew/spew/format.go b/vendor/github.com/davecgh/go-spew/spew/format.go
deleted file mode 100644
index ecf3b80..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/format.go
+++ /dev/null
@@ -1,419 +0,0 @@
-/*
- * Copyright (c) 2013 Dave Collins <dave@davec.name>
- *
- * Permission to use, copy, modify, and distribute this software for any
- * purpose with or without fee is hereby granted, provided that the above
- * copyright notice and this permission notice appear in all copies.
- *
- * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
- * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
- * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
- * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
- * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
- * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
- * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- */
-
-package spew
-
-import (
-	"bytes"
-	"fmt"
-	"reflect"
-	"strconv"
-	"strings"
-)
-
-// supportedFlags is a list of all the character flags supported by fmt package.
-const supportedFlags = "0-+# "
-
-// formatState implements the fmt.Formatter interface and contains information
-// about the state of a formatting operation.  The NewFormatter function can
-// be used to get a new Formatter which can be used directly as arguments
-// in standard fmt package printing calls.
-type formatState struct {
-	value          interface{}
-	fs             fmt.State
-	depth          int
-	pointers       map[uintptr]int
-	ignoreNextType bool
-	cs             *ConfigState
-}
-
-// buildDefaultFormat recreates the original format string without precision
-// and width information to pass in to fmt.Sprintf in the case of an
-// unrecognized type.  Unless new types are added to the language, this
-// function won't ever be called.
-func (f *formatState) buildDefaultFormat() (format string) {
-	buf := bytes.NewBuffer(percentBytes)
-
-	for _, flag := range supportedFlags {
-		if f.fs.Flag(int(flag)) {
-			buf.WriteRune(flag)
-		}
-	}
-
-	buf.WriteRune('v')
-
-	format = buf.String()
-	return format
-}
-
-// constructOrigFormat recreates the original format string including precision
-// and width information to pass along to the standard fmt package.  This allows
-// automatic deferral of all format strings this package doesn't support.
-func (f *formatState) constructOrigFormat(verb rune) (format string) {
-	buf := bytes.NewBuffer(percentBytes)
-
-	for _, flag := range supportedFlags {
-		if f.fs.Flag(int(flag)) {
-			buf.WriteRune(flag)
-		}
-	}
-
-	if width, ok := f.fs.Width(); ok {
-		buf.WriteString(strconv.Itoa(width))
-	}
-
-	if precision, ok := f.fs.Precision(); ok {
-		buf.Write(precisionBytes)
-		buf.WriteString(strconv.Itoa(precision))
-	}
-
-	buf.WriteRune(verb)
-
-	format = buf.String()
-	return format
-}
-
-// unpackValue returns values inside of non-nil interfaces when possible and
-// ensures that types for values which have been unpacked from an interface
-// are displayed when the show types flag is also set.
-// This is useful for data types like structs, arrays, slices, and maps which
-// can contain varying types packed inside an interface.
-func (f *formatState) unpackValue(v reflect.Value) reflect.Value {
-	if v.Kind() == reflect.Interface {
-		f.ignoreNextType = false
-		if !v.IsNil() {
-			v = v.Elem()
-		}
-	}
-	return v
-}
-
-// formatPtr handles formatting of pointers by indirecting them as necessary.
-func (f *formatState) formatPtr(v reflect.Value) {
-	// Display nil if top level pointer is nil.
-	showTypes := f.fs.Flag('#')
-	if v.IsNil() && (!showTypes || f.ignoreNextType) {
-		f.fs.Write(nilAngleBytes)
-		return
-	}
-
-	// Remove pointers at or below the current depth from map used to detect
-	// circular refs.
-	for k, depth := range f.pointers {
-		if depth >= f.depth {
-			delete(f.pointers, k)
-		}
-	}
-
-	// Keep list of all dereferenced pointers to possibly show later.
-	pointerChain := make([]uintptr, 0)
-
-	// Figure out how many levels of indirection there are by derferencing
-	// pointers and unpacking interfaces down the chain while detecting circular
-	// references.
-	nilFound := false
-	cycleFound := false
-	indirects := 0
-	ve := v
-	for ve.Kind() == reflect.Ptr {
-		if ve.IsNil() {
-			nilFound = true
-			break
-		}
-		indirects++
-		addr := ve.Pointer()
-		pointerChain = append(pointerChain, addr)
-		if pd, ok := f.pointers[addr]; ok && pd < f.depth {
-			cycleFound = true
-			indirects--
-			break
-		}
-		f.pointers[addr] = f.depth
-
-		ve = ve.Elem()
-		if ve.Kind() == reflect.Interface {
-			if ve.IsNil() {
-				nilFound = true
-				break
-			}
-			ve = ve.Elem()
-		}
-	}
-
-	// Display type or indirection level depending on flags.
-	if showTypes && !f.ignoreNextType {
-		f.fs.Write(openParenBytes)
-		f.fs.Write(bytes.Repeat(asteriskBytes, indirects))
-		f.fs.Write([]byte(ve.Type().String()))
-		f.fs.Write(closeParenBytes)
-	} else {
-		if nilFound || cycleFound {
-			indirects += strings.Count(ve.Type().String(), "*")
-		}
-		f.fs.Write(openAngleBytes)
-		f.fs.Write([]byte(strings.Repeat("*", indirects)))
-		f.fs.Write(closeAngleBytes)
-	}
-
-	// Display pointer information depending on flags.
-	if f.fs.Flag('+') && (len(pointerChain) > 0) {
-		f.fs.Write(openParenBytes)
-		for i, addr := range pointerChain {
-			if i > 0 {
-				f.fs.Write(pointerChainBytes)
-			}
-			printHexPtr(f.fs, addr)
-		}
-		f.fs.Write(closeParenBytes)
-	}
-
-	// Display dereferenced value.
-	switch {
-	case nilFound == true:
-		f.fs.Write(nilAngleBytes)
-
-	case cycleFound == true:
-		f.fs.Write(circularShortBytes)
-
-	default:
-		f.ignoreNextType = true
-		f.format(ve)
-	}
-}
-
-// format is the main workhorse for providing the Formatter interface.  It
-// uses the passed reflect value to figure out what kind of object we are
-// dealing with and formats it appropriately.  It is a recursive function,
-// however circular data structures are detected and handled properly.
-func (f *formatState) format(v reflect.Value) {
-	// Handle invalid reflect values immediately.
-	kind := v.Kind()
-	if kind == reflect.Invalid {
-		f.fs.Write(invalidAngleBytes)
-		return
-	}
-
-	// Handle pointers specially.
-	if kind == reflect.Ptr {
-		f.formatPtr(v)
-		return
-	}
-
-	// Print type information unless already handled elsewhere.
-	if !f.ignoreNextType && f.fs.Flag('#') {
-		f.fs.Write(openParenBytes)
-		f.fs.Write([]byte(v.Type().String()))
-		f.fs.Write(closeParenBytes)
-	}
-	f.ignoreNextType = false
-
-	// Call Stringer/error interfaces if they exist and the handle methods
-	// flag is enabled.
-	if !f.cs.DisableMethods {
-		if (kind != reflect.Invalid) && (kind != reflect.Interface) {
-			if handled := handleMethods(f.cs, f.fs, v); handled {
-				return
-			}
-		}
-	}
-
-	switch kind {
-	case reflect.Invalid:
-		// Do nothing.  We should never get here since invalid has already
-		// been handled above.
-
-	case reflect.Bool:
-		printBool(f.fs, v.Bool())
-
-	case reflect.Int8, reflect.Int16, reflect.Int32, reflect.Int64, reflect.Int:
-		printInt(f.fs, v.Int(), 10)
-
-	case reflect.Uint8, reflect.Uint16, reflect.Uint32, reflect.Uint64, reflect.Uint:
-		printUint(f.fs, v.Uint(), 10)
-
-	case reflect.Float32:
-		printFloat(f.fs, v.Float(), 32)
-
-	case reflect.Float64:
-		printFloat(f.fs, v.Float(), 64)
-
-	case reflect.Complex64:
-		printComplex(f.fs, v.Complex(), 32)
-
-	case reflect.Complex128:
-		printComplex(f.fs, v.Complex(), 64)
-
-	case reflect.Slice:
-		if v.IsNil() {
-			f.fs.Write(nilAngleBytes)
-			break
-		}
-		fallthrough
-
-	case reflect.Array:
-		f.fs.Write(openBracketBytes)
-		f.depth++
-		if (f.cs.MaxDepth != 0) && (f.depth > f.cs.MaxDepth) {
-			f.fs.Write(maxShortBytes)
-		} else {
-			numEntries := v.Len()
-			for i := 0; i < numEntries; i++ {
-				if i > 0 {
-					f.fs.Write(spaceBytes)
-				}
-				f.ignoreNextType = true
-				f.format(f.unpackValue(v.Index(i)))
-			}
-		}
-		f.depth--
-		f.fs.Write(closeBracketBytes)
-
-	case reflect.String:
-		f.fs.Write([]byte(v.String()))
-
-	case reflect.Interface:
-		// The only time we should get here is for nil interfaces due to
-		// unpackValue calls.
-		if v.IsNil() {
-			f.fs.Write(nilAngleBytes)
-		}
-
-	case reflect.Ptr:
-		// Do nothing.  We should never get here since pointers have already
-		// been handled above.
-
-	case reflect.Map:
-		// nil maps should be indicated as different than empty maps
-		if v.IsNil() {
-			f.fs.Write(nilAngleBytes)
-			break
-		}
-
-		f.fs.Write(openMapBytes)
-		f.depth++
-		if (f.cs.MaxDepth != 0) && (f.depth > f.cs.MaxDepth) {
-			f.fs.Write(maxShortBytes)
-		} else {
-			keys := v.MapKeys()
-			if f.cs.SortKeys {
-				sortValues(keys, f.cs)
-			}
-			for i, key := range keys {
-				if i > 0 {
-					f.fs.Write(spaceBytes)
-				}
-				f.ignoreNextType = true
-				f.format(f.unpackValue(key))
-				f.fs.Write(colonBytes)
-				f.ignoreNextType = true
-				f.format(f.unpackValue(v.MapIndex(key)))
-			}
-		}
-		f.depth--
-		f.fs.Write(closeMapBytes)
-
-	case reflect.Struct:
-		numFields := v.NumField()
-		f.fs.Write(openBraceBytes)
-		f.depth++
-		if (f.cs.MaxDepth != 0) && (f.depth > f.cs.MaxDepth) {
-			f.fs.Write(maxShortBytes)
-		} else {
-			vt := v.Type()
-			for i := 0; i < numFields; i++ {
-				if i > 0 {
-					f.fs.Write(spaceBytes)
-				}
-				vtf := vt.Field(i)
-				if f.fs.Flag('+') || f.fs.Flag('#') {
-					f.fs.Write([]byte(vtf.Name))
-					f.fs.Write(colonBytes)
-				}
-				f.format(f.unpackValue(v.Field(i)))
-			}
-		}
-		f.depth--
-		f.fs.Write(closeBraceBytes)
-
-	case reflect.Uintptr:
-		printHexPtr(f.fs, uintptr(v.Uint()))
-
-	case reflect.UnsafePointer, reflect.Chan, reflect.Func:
-		printHexPtr(f.fs, v.Pointer())
-
-	// There were not any other types at the time this code was written, but
-	// fall back to letting the default fmt package handle it if any get added.
-	default:
-		format := f.buildDefaultFormat()
-		if v.CanInterface() {
-			fmt.Fprintf(f.fs, format, v.Interface())
-		} else {
-			fmt.Fprintf(f.fs, format, v.String())
-		}
-	}
-}
-
-// Format satisfies the fmt.Formatter interface. See NewFormatter for usage
-// details.
-func (f *formatState) Format(fs fmt.State, verb rune) {
-	f.fs = fs
-
-	// Use standard formatting for verbs that are not v.
-	if verb != 'v' {
-		format := f.constructOrigFormat(verb)
-		fmt.Fprintf(fs, format, f.value)
-		return
-	}
-
-	if f.value == nil {
-		if fs.Flag('#') {
-			fs.Write(interfaceBytes)
-		}
-		fs.Write(nilAngleBytes)
-		return
-	}
-
-	f.format(reflect.ValueOf(f.value))
-}
-
-// newFormatter is a helper function to consolidate the logic from the various
-// public methods which take varying config states.
-func newFormatter(cs *ConfigState, v interface{}) fmt.Formatter {
-	fs := &formatState{value: v, cs: cs}
-	fs.pointers = make(map[uintptr]int)
-	return fs
-}
-
-/*
-NewFormatter returns a custom formatter that satisfies the fmt.Formatter
-interface.  As a result, it integrates cleanly with standard fmt package
-printing functions.  The formatter is useful for inline printing of smaller data
-types similar to the standard %v format specifier.
-
-The custom formatter only responds to the %v (most compact), %+v (adds pointer
-addresses), %#v (adds types), or %#+v (adds types and pointer addresses) verb
-combinations.  Any other verbs such as %x and %q will be sent to the the
-standard fmt package for formatting.  In addition, the custom formatter ignores
-the width and precision arguments (however they will still work on the format
-specifiers not handled by the custom formatter).
-
-Typically this function shouldn't be called directly.  It is much easier to make
-use of the custom formatter by calling one of the convenience functions such as
-Printf, Println, or Fprintf.
-*/
-func NewFormatter(v interface{}) fmt.Formatter {
-	return newFormatter(&Config, v)
-}
diff --git a/vendor/github.com/davecgh/go-spew/spew/spew.go b/vendor/github.com/davecgh/go-spew/spew/spew.go
deleted file mode 100644
index d8233f5..0000000
--- a/vendor/github.com/davecgh/go-spew/spew/spew.go
+++ /dev/null
@@ -1,148 +0,0 @@
-/*
- * Copyright (c) 2013 Dave Collins <dave@davec.name>
- *
- * Permission to use, copy, modify, and distribute this software for any
- * purpose with or without fee is hereby granted, provided that the above
- * copyright notice and this permission notice appear in all copies.
- *
- * THE SOFTWARE IS PROVIDED "AS IS" AND THE AUTHOR DISCLAIMS ALL WARRANTIES
- * WITH REGARD TO THIS SOFTWARE INCLUDING ALL IMPLIED WARRANTIES OF
- * MERCHANTABILITY AND FITNESS. IN NO EVENT SHALL THE AUTHOR BE LIABLE FOR
- * ANY SPECIAL, DIRECT, INDIRECT, OR CONSEQUENTIAL DAMAGES OR ANY DAMAGES
- * WHATSOEVER RESULTING FROM LOSS OF USE, DATA OR PROFITS, WHETHER IN AN
- * ACTION OF CONTRACT, NEGLIGENCE OR OTHER TORTIOUS ACTION, ARISING OUT OF
- * OR IN CONNECTION WITH THE USE OR PERFORMANCE OF THIS SOFTWARE.
- */
-
-package spew
-
-import (
-	"fmt"
-	"io"
-)
-
-// Errorf is a wrapper for fmt.Errorf that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the formatted string as a value that satisfies error.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Errorf(format, spew.NewFormatter(a), spew.NewFormatter(b))
-func Errorf(format string, a ...interface{}) (err error) {
-	return fmt.Errorf(format, convertArgs(a)...)
-}
-
-// Fprint is a wrapper for fmt.Fprint that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Fprint(w, spew.NewFormatter(a), spew.NewFormatter(b))
-func Fprint(w io.Writer, a ...interface{}) (n int, err error) {
-	return fmt.Fprint(w, convertArgs(a)...)
-}
-
-// Fprintf is a wrapper for fmt.Fprintf that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Fprintf(w, format, spew.NewFormatter(a), spew.NewFormatter(b))
-func Fprintf(w io.Writer, format string, a ...interface{}) (n int, err error) {
-	return fmt.Fprintf(w, format, convertArgs(a)...)
-}
-
-// Fprintln is a wrapper for fmt.Fprintln that treats each argument as if it
-// passed with a default Formatter interface returned by NewFormatter.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Fprintln(w, spew.NewFormatter(a), spew.NewFormatter(b))
-func Fprintln(w io.Writer, a ...interface{}) (n int, err error) {
-	return fmt.Fprintln(w, convertArgs(a)...)
-}
-
-// Print is a wrapper for fmt.Print that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Print(spew.NewFormatter(a), spew.NewFormatter(b))
-func Print(a ...interface{}) (n int, err error) {
-	return fmt.Print(convertArgs(a)...)
-}
-
-// Printf is a wrapper for fmt.Printf that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Printf(format, spew.NewFormatter(a), spew.NewFormatter(b))
-func Printf(format string, a ...interface{}) (n int, err error) {
-	return fmt.Printf(format, convertArgs(a)...)
-}
-
-// Println is a wrapper for fmt.Println that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the number of bytes written and any write error encountered.  See
-// NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Println(spew.NewFormatter(a), spew.NewFormatter(b))
-func Println(a ...interface{}) (n int, err error) {
-	return fmt.Println(convertArgs(a)...)
-}
-
-// Sprint is a wrapper for fmt.Sprint that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the resulting string.  See NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Sprint(spew.NewFormatter(a), spew.NewFormatter(b))
-func Sprint(a ...interface{}) string {
-	return fmt.Sprint(convertArgs(a)...)
-}
-
-// Sprintf is a wrapper for fmt.Sprintf that treats each argument as if it were
-// passed with a default Formatter interface returned by NewFormatter.  It
-// returns the resulting string.  See NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Sprintf(format, spew.NewFormatter(a), spew.NewFormatter(b))
-func Sprintf(format string, a ...interface{}) string {
-	return fmt.Sprintf(format, convertArgs(a)...)
-}
-
-// Sprintln is a wrapper for fmt.Sprintln that treats each argument as if it
-// were passed with a default Formatter interface returned by NewFormatter.  It
-// returns the resulting string.  See NewFormatter for formatting details.
-//
-// This function is shorthand for the following syntax:
-//
-//	fmt.Sprintln(spew.NewFormatter(a), spew.NewFormatter(b))
-func Sprintln(a ...interface{}) string {
-	return fmt.Sprintln(convertArgs(a)...)
-}
-
-// convertArgs accepts a slice of arguments and returns a slice of the same
-// length with each argument converted to a default spew Formatter interface.
-func convertArgs(args []interface{}) (formatters []interface{}) {
-	formatters = make([]interface{}, len(args))
-	for index, arg := range args {
-		formatters[index] = NewFormatter(arg)
-	}
-	return formatters
-}
diff --git a/vendor/github.com/mitchellh/go-homedir/LICENSE b/vendor/github.com/mitchellh/go-homedir/LICENSE
deleted file mode 100644
index f9c841a..0000000
--- a/vendor/github.com/mitchellh/go-homedir/LICENSE
+++ /dev/null
@@ -1,21 +0,0 @@
-The MIT License (MIT)
-
-Copyright (c) 2013 Mitchell Hashimoto
-
-Permission is hereby granted, free of charge, to any person obtaining a copy
-of this software and associated documentation files (the "Software"), to deal
-in the Software without restriction, including without limitation the rights
-to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
-copies of the Software, and to permit persons to whom the Software is
-furnished to do so, subject to the following conditions:
-
-The above copyright notice and this permission notice shall be included in
-all copies or substantial portions of the Software.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
-IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
-FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
-AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
-LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
-OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
-THE SOFTWARE.
diff --git a/vendor/github.com/mitchellh/go-homedir/README.md b/vendor/github.com/mitchellh/go-homedir/README.md
deleted file mode 100644
index d70706d..0000000
--- a/vendor/github.com/mitchellh/go-homedir/README.md
+++ /dev/null
@@ -1,14 +0,0 @@
-# go-homedir
-
-This is a Go library for detecting the user's home directory without
-the use of cgo, so the library can be used in cross-compilation environments.
-
-Usage is incredibly simple, just call `homedir.Dir()` to get the home directory
-for a user, and `homedir.Expand()` to expand the `~` in a path to the home
-directory.
-
-**Why not just use `os/user`?** The built-in `os/user` package requires
-cgo on Darwin systems. This means that any Go code that uses that package
-cannot cross compile. But 99% of the time the use for `os/user` is just to
-retrieve the home directory, which we can do for the current user without
-cgo. This library does that, enabling cross-compilation.
diff --git a/vendor/github.com/mitchellh/go-homedir/homedir.go b/vendor/github.com/mitchellh/go-homedir/homedir.go
deleted file mode 100644
index 6944957..0000000
--- a/vendor/github.com/mitchellh/go-homedir/homedir.go
+++ /dev/null
@@ -1,132 +0,0 @@
-package homedir
-
-import (
-	"bytes"
-	"errors"
-	"os"
-	"os/exec"
-	"path/filepath"
-	"runtime"
-	"strconv"
-	"strings"
-	"sync"
-)
-
-// DisableCache will disable caching of the home directory. Caching is enabled
-// by default.
-var DisableCache bool
-
-var homedirCache string
-var cacheLock sync.RWMutex
-
-// Dir returns the home directory for the executing user.
-//
-// This uses an OS-specific method for discovering the home directory.
-// An error is returned if a home directory cannot be detected.
-func Dir() (string, error) {
-	if !DisableCache {
-		cacheLock.RLock()
-		cached := homedirCache
-		cacheLock.RUnlock()
-		if cached != "" {
-			return cached, nil
-		}
-	}
-
-	cacheLock.Lock()
-	defer cacheLock.Unlock()
-
-	var result string
-	var err error
-	if runtime.GOOS == "windows" {
-		result, err = dirWindows()
-	} else {
-		// Unix-like system, so just assume Unix
-		result, err = dirUnix()
-	}
-
-	if err != nil {
-		return "", err
-	}
-	homedirCache = result
-	return result, nil
-}
-
-// Expand expands the path to include the home directory if the path
-// is prefixed with `~`. If it isn't prefixed with `~`, the path is
-// returned as-is.
-func Expand(path string) (string, error) {
-	if len(path) == 0 {
-		return path, nil
-	}
-
-	if path[0] != '~' {
-		return path, nil
-	}
-
-	if len(path) > 1 && path[1] != '/' && path[1] != '\\' {
-		return "", errors.New("cannot expand user-specific home dir")
-	}
-
-	dir, err := Dir()
-	if err != nil {
-		return "", err
-	}
-
-	return filepath.Join(dir, path[1:]), nil
-}
-
-func dirUnix() (string, error) {
-	// First prefer the HOME environmental variable
-	if home := os.Getenv("HOME"); home != "" {
-		return home, nil
-	}
-
-	// If that fails, try getent
-	var stdout bytes.Buffer
-	cmd := exec.Command("getent", "passwd", strconv.Itoa(os.Getuid()))
-	cmd.Stdout = &stdout
-	if err := cmd.Run(); err != nil {
-		// If "getent" is missing, ignore it
-		if err != exec.ErrNotFound {
-			return "", err
-		}
-	} else {
-		if passwd := strings.TrimSpace(stdout.String()); passwd != "" {
-			// username:password:uid:gid:gecos:home:shell
-			passwdParts := strings.SplitN(passwd, ":", 7)
-			if len(passwdParts) > 5 {
-				return passwdParts[5], nil
-			}
-		}
-	}
-
-	// If all else fails, try the shell
-	stdout.Reset()
-	cmd = exec.Command("sh", "-c", "cd && pwd")
-	cmd.Stdout = &stdout
-	if err := cmd.Run(); err != nil {
-		return "", err
-	}
-
-	result := strings.TrimSpace(stdout.String())
-	if result == "" {
-		return "", errors.New("blank output when reading home directory")
-	}
-
-	return result, nil
-}
-
-func dirWindows() (string, error) {
-	drive := os.Getenv("HOMEDRIVE")
-	path := os.Getenv("HOMEPATH")
-	home := drive + path
-	if drive == "" || path == "" {
-		home = os.Getenv("USERPROFILE")
-	}
-	if home == "" {
-		return "", errors.New("HOMEDRIVE, HOMEPATH, and USERPROFILE are blank")
-	}
-
-	return home, nil
-}
diff --git a/vendor/github.com/motemen/go-quickfix/.travis.yml b/vendor/github.com/motemen/go-quickfix/.travis.yml
deleted file mode 100644
index c1e5814..0000000
--- a/vendor/github.com/motemen/go-quickfix/.travis.yml
+++ /dev/null
@@ -1,8 +0,0 @@
-language: go
-go:
-  - 1.5
-  - 1.6
-  - tip
-install:
-  - go get ./...
-  - go get -t ./...
diff --git a/vendor/github.com/motemen/go-quickfix/LICENSE b/vendor/github.com/motemen/go-quickfix/LICENSE
deleted file mode 100644
index 756f32f..0000000
--- a/vendor/github.com/motemen/go-quickfix/LICENSE
+++ /dev/null
@@ -1,22 +0,0 @@
-The MIT License (MIT)
-
-Copyright (c) 2015 Hiroshi SHIBAMURA
-
-Permission is hereby granted, free of charge, to any person obtaining a copy
-of this software and associated documentation files (the "Software"), to deal
-in the Software without restriction, including without limitation the rights
-to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
-copies of the Software, and to permit persons to whom the Software is
-furnished to do so, subject to the following conditions:
-
-The above copyright notice and this permission notice shall be included in all
-copies or substantial portions of the Software.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
-IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
-FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
-AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
-LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
-OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
-SOFTWARE.
-
diff --git a/vendor/github.com/motemen/go-quickfix/README.adoc b/vendor/github.com/motemen/go-quickfix/README.adoc
deleted file mode 100644
index ee10b21..0000000
--- a/vendor/github.com/motemen/go-quickfix/README.adoc
+++ /dev/null
@@ -1,82 +0,0 @@
-= goquickfix image:https://travis-ci.org/motemen/go-quickfix.svg?branch=master["Build Status", link="https://travis-ci.org/motemen/go-quickfix"] image:http://godoc.org/github.com/motemen/go-quickfix?status.svg["GoDoc", link="http://godoc.org/github.com/motemen/go-quickfix"] image:http://gocover.io/_badge/github.com/motemen/go-quickfix["Test Coverage", link="http://gocover.io/github.com/motemen/go-quickfix"]
-
-The goquickfix command quick fixes Go source that is well typed but
-Go refuses to compile e.g. "x declared and not used".
-
-== Installation
-
-    go get github.com/motemen/go-quickfix/cmd/goquickfix
-
-== Usage
-
-    goquickfix [-w] [-revert] <path>...
-
-    Flags:
-      -revert=false: try to revert possible quickfixes introduced by goquickfix
-      -w=false: write result to (source) file instead of stdout
-
-== Description
-
-While coding, sometimes you may write a Go program that is completely well typed
-but `go build` (or `run` or `test`) refuses to build, like this:
-
-[source,go]
-----
-package main
-
-import (
-	"fmt"
-	"log"
-)
-
-func main() {
-	nums := []int{3, 1, 4, 1, 5}
-	for i, n := range nums {
-		fmt.Println(n)
-	}
-}
-----
-
-The Go compiler will complain:
-
-    eg.go:5: imported and not used: "log"
-
-Or
-
-    eg.go:9: i declared and not used
-
-Do we have to bother to comment out the import line or remove
-the unused identifier one by one for the Go compiler? Of course no,
-`goquickfix` does the work instead of you.
-
-Run
-
-    goquickfix -w eg.go
-
-and you will get the source rewritten so that Go compiles it well without
-changing the semantics:
-
-[source,go]
-----
-package main
-
-import (
-	"fmt"
-	_ "log"
-)
-
-func main() {
-	nums := []int{3, 1, 4, 1, 5}
-	for i, n := range nums {
-		fmt.Println(n)
-		_ = i
-	}
-}
-----
-
-Now you can `go run` or `go test` your code safely.
-
-== TODO
-
-* `-d` option to show diffs
-* `-hard=true` option to remove erroneous code rather than adding new code
diff --git a/vendor/github.com/motemen/go-quickfix/quickfix.go b/vendor/github.com/motemen/go-quickfix/quickfix.go
deleted file mode 100644
index bf76c83..0000000
--- a/vendor/github.com/motemen/go-quickfix/quickfix.go
+++ /dev/null
@@ -1,428 +0,0 @@
-// Package quickfix provides functions for fixing Go ASTs
-// that are well typed but "go build" refuses to build.
-package quickfix
-
-import (
-	"fmt"
-	"regexp"
-	"strings"
-
-	"go/ast"
-	"go/importer"
-	"go/token"
-	"go/types"
-
-	"golang.org/x/tools/go/ast/astutil"
-)
-
-var (
-	declaredNotUsed        = regexp.MustCompile(`^([a-zA-Z0-9_]+) declared but not used$`)
-	importedNotUsed        = regexp.MustCompile(`^(".+") imported but not used`)
-	noNewVariablesOnDefine = "no new variables on left side of :="
-)
-
-type Config struct {
-	Fset     *token.FileSet
-	Files    []*ast.File
-	TypeInfo *types.Info
-	MaxTries int
-}
-
-func QuickFix(fset *token.FileSet, files []*ast.File) (err error) {
-	config := Config{
-		Fset:     fset,
-		Files:    files,
-		MaxTries: 10,
-	}
-	return config.QuickFix()
-}
-
-// QuickFix rewrites AST files of same package so that they pass go build.
-// For example:
-//   v declared but not used             -> append `_ = v`
-//   "p" imported but not used           -> rewrite to `import _ "p"`
-//   no new variables on left side of := -> rewrite `:=` to `=`
-//
-// TODO implement hardMode, which removes errorneous code rather than adding
-func (c Config) QuickFix() (err error) {
-	maxTries := 10
-	if c.MaxTries > 0 {
-		maxTries = c.MaxTries
-	}
-	for i := 0; i < maxTries; i++ {
-		var foundError bool
-		foundError, err = c.QuickFixOnce()
-		if !foundError {
-			return nil
-		}
-	}
-
-	return
-}
-
-type tracedVisitor struct {
-	path  []ast.Node
-	visit func(ast.Node, []ast.Node) bool
-}
-
-func (v tracedVisitor) Visit(node ast.Node) ast.Visitor {
-	if v.visit(node, v.path) {
-		return tracedVisitor{
-			path:  append([]ast.Node{node}, v.path...),
-			visit: v.visit,
-		}
-	}
-
-	return nil
-}
-
-func traverseAST(node ast.Node, visit func(ast.Node, []ast.Node) bool) {
-	v := tracedVisitor{
-		visit: visit,
-	}
-	ast.Walk(v, node)
-}
-
-// pkgsWithSideEffect are set of packages which are known to provide APIs by
-// blank identifier import (import _ "p").
-var pkgsWithSideEffect = map[string]bool{}
-
-func init() {
-	for _, path := range []string{
-		"expvar",
-		"image/gif",
-		"image/jpeg",
-		"image/png",
-		"net/http/pprof",
-		"unsafe",
-		"golang.org/x/image/bmp",
-		"golang.org/x/image/tiff",
-		"golang.org/x/image/vp8",
-		"golang.org/x/image/vp81",
-		"golang.org/x/image/webp",
-		"golang.org/x/tools/go/gcimporter",
-	} {
-		pkgsWithSideEffect[`"`+path+`"`] = true
-	}
-}
-
-func RevertQuickFix(fset *token.FileSet, files []*ast.File) error {
-	config := Config{
-		Fset:     fset,
-		Files:    files,
-		MaxTries: 10,
-	}
-	return config.RevertQuickFix()
-}
-
-// RevertQuickFix reverts possible quickfixes introduced by QuickFix.
-// This may result to non-buildable source, and cannot reproduce the original
-// code before prior QuickFix.
-// For example:
-//   `_ = v`        -> removed
-//   `import _ "p"` -> rewritten to `import "p"`
-func (c Config) RevertQuickFix() (err error) {
-	fset := c.Fset
-	files := c.Files
-
-	nodeToRemove := map[ast.Node]bool{}
-
-	for _, f := range files {
-		ast.Inspect(f, func(node ast.Node) bool {
-			if assign, ok := node.(*ast.AssignStmt); ok {
-				if len(assign.Lhs) == 1 && isBlankIdent(assign.Lhs[0]) &&
-					len(assign.Rhs) == 1 && isIdent(assign.Rhs[0]) {
-					// The statement is `_ = v`
-					nodeToRemove[node] = true
-				}
-
-				return false
-			} else if imp, ok := node.(*ast.ImportSpec); ok {
-				if isBlankIdent(imp.Name) && !pkgsWithSideEffect[imp.Path.Value] {
-					// The spec is `import _ "p"` and p is not a package that
-					// provides "side effects"
-					imp.Name = nil
-				}
-
-				return false
-			}
-
-			return true
-		})
-
-		for len(nodeToRemove) > 0 {
-			traverseAST(f, func(node ast.Node, nodepath []ast.Node) bool {
-				if nodeToRemove[node] {
-					parent := nodepath[0]
-					if removeChildNode(node, parent) == false {
-						err = fmt.Errorf(
-							"BUG: could not remove node: %s (in: %s)",
-							fset.Position(node.Pos()),
-							fset.Position(parent.Pos()),
-						)
-					}
-					delete(nodeToRemove, node)
-					return false
-				}
-
-				return true
-			})
-		}
-	}
-
-	return
-}
-
-func (c Config) QuickFixOnce() (bool, error) {
-	fset := c.Fset
-	files := c.Files
-
-	errs := []error{}
-	config := &types.Config{
-		Error: func(err error) {
-			errs = append(errs, err)
-		},
-		Importer: importer.Default(),
-	}
-
-	_, err := config.Check("_quickfix", fset, files, c.TypeInfo)
-	if err == nil {
-		return false, nil
-	}
-
-	// apply fixes on AST later so that we won't break funcs that inspect AST by positions
-	fixes := map[error]func() bool{}
-	unhandled := ErrorList{}
-
-	foundError := len(errs) > 0
-
-	for _, err := range errs {
-		err, ok := err.(types.Error)
-		if !ok {
-			unhandled = append(unhandled, err)
-			continue
-		}
-
-		f := findFile(c.Files, err.Pos)
-		if f == nil {
-			e := ErrCouldNotLocate{
-				Err:  err,
-				Fset: fset,
-			}
-			unhandled = append(unhandled, e)
-			continue
-		}
-
-		nodepath, _ := astutil.PathEnclosingInterval(f, err.Pos, err.Pos)
-
-		var fix func() bool
-
-		// - "%s declared but not used"
-		// - "%q imported but not used" (+ " as %s")
-		// - "label %s declared but not used" TODO
-		// - "no new variables on left side of :="
-		if m := declaredNotUsed.FindStringSubmatch(err.Msg); m != nil {
-			identName := m[1]
-			fix = func() bool {
-				return fixDeclaredNotUsed(nodepath, identName)
-			}
-		} else if m := importedNotUsed.FindStringSubmatch(err.Msg); m != nil {
-			pkgPath := m[1] // quoted string, but it's okay because this will be compared to ast.BasicLit.Value.
-			fix = func() bool {
-				return fixImportedNotUsed(nodepath, pkgPath)
-			}
-		} else if err.Msg == noNewVariablesOnDefine {
-			fix = func() bool {
-				return fixNoNewVariables(nodepath)
-			}
-		} else {
-			unhandled = append(unhandled, err)
-		}
-
-		if fix != nil {
-			fixes[err] = fix
-		}
-	}
-
-	for err, fix := range fixes {
-		if fix() == false {
-			unhandled = append(unhandled, err)
-		}
-	}
-
-	return foundError, unhandled.any()
-}
-
-func fixDeclaredNotUsed(nodepath []ast.Node, identName string) bool {
-	// insert "_ = x" to supress "declared but not used" error
-	stmt := &ast.AssignStmt{
-		Lhs: []ast.Expr{ast.NewIdent("_")},
-		Tok: token.ASSIGN,
-		Rhs: []ast.Expr{ast.NewIdent(identName)},
-	}
-	return appendStmt(nodepath, stmt)
-}
-
-func fixImportedNotUsed(nodepath []ast.Node, pkgPath string) bool {
-	for _, node := range nodepath {
-		if f, ok := node.(*ast.File); ok {
-			for _, imp := range f.Imports {
-				if imp.Path.Value == pkgPath {
-					// make this import spec anonymous one
-					imp.Name = ast.NewIdent("_")
-					return true
-				}
-			}
-		}
-	}
-	return false
-}
-
-func fixNoNewVariables(nodepath []ast.Node) bool {
-	for _, node := range nodepath {
-		switch node := node.(type) {
-		case *ast.AssignStmt:
-			if node.Tok == token.DEFINE {
-				node.Tok = token.ASSIGN
-				return true
-			}
-
-		case *ast.RangeStmt:
-			if node.Tok == token.DEFINE {
-				node.Tok = token.ASSIGN
-				return true
-			}
-		}
-	}
-	return false
-}
-
-type ErrorList []error
-
-func (errs ErrorList) any() error {
-	if len(errs) == 0 {
-		return nil
-	}
-
-	return errs
-}
-
-func (errs ErrorList) Error() string {
-	s := []string{fmt.Sprintf("%d error(s):", len(errs))}
-	for _, e := range errs {
-		s = append(s, fmt.Sprintf("- %s", e))
-	}
-	return strings.Join(s, "\n")
-}
-
-func appendStmt(nodepath []ast.Node, stmt ast.Stmt) bool {
-	for _, node := range nodepath {
-		switch node := node.(type) {
-		case *ast.BlockStmt:
-			if node.List == nil {
-				node.List = []ast.Stmt{}
-			}
-			node.List = append(node.List, stmt)
-
-		case *ast.CaseClause:
-			if node.Body == nil {
-				node.Body = []ast.Stmt{}
-			}
-			node.Body = append(node.Body, stmt)
-
-		case *ast.CommClause:
-			if node.Body == nil {
-				node.Body = []ast.Stmt{}
-			}
-			node.Body = append(node.Body, stmt)
-
-		case *ast.RangeStmt:
-			if node.Body == nil {
-				node.Body = &ast.BlockStmt{}
-			}
-			if node.Body.List == nil {
-				node.Body.List = []ast.Stmt{}
-			}
-			node.Body.List = append(node.Body.List, stmt)
-
-		default:
-			continue
-		}
-
-		return true
-	}
-
-	return false
-}
-
-func removeChildNode(child, parent ast.Node) bool {
-	switch parent := parent.(type) {
-	case *ast.BlockStmt:
-		removeFromStmtList(child, parent.List)
-		return true
-	case *ast.CaseClause:
-		removeFromStmtList(child, parent.Body)
-		return true
-	case *ast.CommClause:
-		removeFromStmtList(child, parent.Body)
-		return true
-	case *ast.RangeStmt:
-		removeFromStmtList(child, parent.Body.List)
-		return true
-	}
-
-	return false
-}
-
-// removeFromStmtList remove node from slice of statements list. This function
-// modifies list in-place and pads rest of the slice with ast.EmptyStmt.
-func removeFromStmtList(node ast.Node, list []ast.Stmt) bool {
-	for i, s := range list {
-		if s == node {
-			for ; i < len(list)-1; i++ {
-				list[i] = list[i+1]
-			}
-			list[len(list)-1] = &ast.EmptyStmt{}
-			return true
-		}
-	}
-
-	return false
-}
-
-func findFile(files []*ast.File, pos token.Pos) *ast.File {
-	for _, f := range files {
-		if f.Pos() <= pos && pos < f.End() {
-			return f
-		}
-	}
-
-	return nil
-}
-
-func isIdent(node ast.Node) bool {
-	if node == nil {
-		return false
-	}
-
-	_, ok := node.(*ast.Ident)
-	return ok
-}
-
-func isBlankIdent(node ast.Node) bool {
-	if node == nil {
-		return false
-	}
-
-	ident, ok := node.(*ast.Ident)
-	return ok && ident != nil && ident.Name == "_"
-}
-
-type ErrCouldNotLocate struct {
-	Err  types.Error
-	Fset *token.FileSet
-}
-
-func (e ErrCouldNotLocate) Error() string {
-	return fmt.Sprintf("cannot find file for error %q: %s (%d)", e.Err.Error(), e.Fset.Position(e.Err.Pos), e.Err.Pos)
-}
diff --git a/vendor/github.com/nu7hatch/gouuid/.gitignore b/vendor/github.com/nu7hatch/gouuid/.gitignore
deleted file mode 100644
index f9d9cd8..0000000
--- a/vendor/github.com/nu7hatch/gouuid/.gitignore
+++ /dev/null
@@ -1,11 +0,0 @@
-_obj
-_test
-*.6
-*.out
-_testmain.go
-\#*
-.\#*
-*.log
-_cgo*
-*.o
-*.a
diff --git a/vendor/github.com/nu7hatch/gouuid/COPYING b/vendor/github.com/nu7hatch/gouuid/COPYING
deleted file mode 100644
index d7849fd..0000000
--- a/vendor/github.com/nu7hatch/gouuid/COPYING
+++ /dev/null
@@ -1,19 +0,0 @@
-Copyright (C) 2011 by Krzysztof Kowalik <chris@nu7hat.ch>
-
-Permission is hereby granted, free of charge, to any person obtaining a copy of
-this software and associated documentation files (the "Software"), to deal in
-the Software without restriction, including without limitation the rights to
-use, copy, modify, merge, publish, distribute, sublicense, and/or sell copies
-of the Software, and to permit persons to whom the Software is furnished to do
-so, subject to the following conditions:
-
-The above copyright notice and this permission notice shall be included in all
-copies or substantial portions of the Software.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
-IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
-FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
-AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
-LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
-OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
-SOFTWARE.
\ No newline at end of file
diff --git a/vendor/github.com/nu7hatch/gouuid/README.md b/vendor/github.com/nu7hatch/gouuid/README.md
deleted file mode 100644
index e3d025d..0000000
--- a/vendor/github.com/nu7hatch/gouuid/README.md
+++ /dev/null
@@ -1,21 +0,0 @@
-# Pure Go UUID implementation
-
-This package provides immutable UUID structs and the functions
-NewV3, NewV4, NewV5 and Parse() for generating versions 3, 4
-and 5 UUIDs as specified in [RFC 4122](http://www.ietf.org/rfc/rfc4122.txt).
-
-## Installation
-
-Use the `go` tool:
-
-	$ go get github.com/nu7hatch/gouuid
-
-## Usage
-
-See [documentation and examples](http://godoc.org/github.com/nu7hatch/gouuid)
-for more information.
-
-## Copyright
-
-Copyright (C) 2011 by Krzysztof Kowalik <chris@nu7hat.ch>. See [COPYING](https://github.com/nu7hatch/gouuid/tree/master/COPYING)
-file for details.
diff --git a/vendor/github.com/nu7hatch/gouuid/uuid.go b/vendor/github.com/nu7hatch/gouuid/uuid.go
deleted file mode 100644
index ac9623b..0000000
--- a/vendor/github.com/nu7hatch/gouuid/uuid.go
+++ /dev/null
@@ -1,173 +0,0 @@
-// This package provides immutable UUID structs and the functions
-// NewV3, NewV4, NewV5 and Parse() for generating versions 3, 4
-// and 5 UUIDs as specified in RFC 4122.
-//
-// Copyright (C) 2011 by Krzysztof Kowalik <chris@nu7hat.ch>
-package uuid
-
-import (
-	"crypto/md5"
-	"crypto/rand"
-	"crypto/sha1"
-	"encoding/hex"
-	"errors"
-	"fmt"
-	"hash"
-	"regexp"
-)
-
-// The UUID reserved variants. 
-const (
-	ReservedNCS       byte = 0x80
-	ReservedRFC4122   byte = 0x40
-	ReservedMicrosoft byte = 0x20
-	ReservedFuture    byte = 0x00
-)
-
-// The following standard UUIDs are for use with NewV3() or NewV5().
-var (
-	NamespaceDNS, _  = ParseHex("6ba7b810-9dad-11d1-80b4-00c04fd430c8")
-	NamespaceURL, _  = ParseHex("6ba7b811-9dad-11d1-80b4-00c04fd430c8")
-	NamespaceOID, _  = ParseHex("6ba7b812-9dad-11d1-80b4-00c04fd430c8")
-	NamespaceX500, _ = ParseHex("6ba7b814-9dad-11d1-80b4-00c04fd430c8")
-)
-
-// Pattern used to parse hex string representation of the UUID.
-// FIXME: do something to consider both brackets at one time,
-// current one allows to parse string with only one opening
-// or closing bracket.
-const hexPattern = "^(urn\\:uuid\\:)?\\{?([a-z0-9]{8})-([a-z0-9]{4})-" +
-	"([1-5][a-z0-9]{3})-([a-z0-9]{4})-([a-z0-9]{12})\\}?$"
-
-var re = regexp.MustCompile(hexPattern)
-
-// A UUID representation compliant with specification in
-// RFC 4122 document.
-type UUID [16]byte
-
-// ParseHex creates a UUID object from given hex string
-// representation. Function accepts UUID string in following
-// formats:
-//
-//     uuid.ParseHex("6ba7b814-9dad-11d1-80b4-00c04fd430c8")
-//     uuid.ParseHex("{6ba7b814-9dad-11d1-80b4-00c04fd430c8}")
-//     uuid.ParseHex("urn:uuid:6ba7b814-9dad-11d1-80b4-00c04fd430c8")
-//
-func ParseHex(s string) (u *UUID, err error) {
-	md := re.FindStringSubmatch(s)
-	if md == nil {
-		err = errors.New("Invalid UUID string")
-		return
-	}
-	hash := md[2] + md[3] + md[4] + md[5] + md[6]
-	b, err := hex.DecodeString(hash)
-	if err != nil {
-		return
-	}
-	u = new(UUID)
-	copy(u[:], b)
-	return
-}
-
-// Parse creates a UUID object from given bytes slice.
-func Parse(b []byte) (u *UUID, err error) {
-	if len(b) != 16 {
-		err = errors.New("Given slice is not valid UUID sequence")
-		return
-	}
-	u = new(UUID)
-	copy(u[:], b)
-	return
-}
-
-// Generate a UUID based on the MD5 hash of a namespace identifier
-// and a name.
-func NewV3(ns *UUID, name []byte) (u *UUID, err error) {
-	if ns == nil {
-		err = errors.New("Invalid namespace UUID")
-		return
-	}
-	u = new(UUID)
-	// Set all bits to MD5 hash generated from namespace and name.
-	u.setBytesFromHash(md5.New(), ns[:], name)
-	u.setVariant(ReservedRFC4122)
-	u.setVersion(3)
-	return
-}
-
-// Generate a random UUID.
-func NewV4() (u *UUID, err error) {
-	u = new(UUID)
-	// Set all bits to randomly (or pseudo-randomly) chosen values.
-	_, err = rand.Read(u[:])
-	if err != nil {
-		return
-	}
-	u.setVariant(ReservedRFC4122)
-	u.setVersion(4)
-	return
-}
-
-// Generate a UUID based on the SHA-1 hash of a namespace identifier
-// and a name.
-func NewV5(ns *UUID, name []byte) (u *UUID, err error) {
-	u = new(UUID)
-	// Set all bits to truncated SHA1 hash generated from namespace
-	// and name.
-	u.setBytesFromHash(sha1.New(), ns[:], name)
-	u.setVariant(ReservedRFC4122)
-	u.setVersion(5)
-	return
-}
-
-// Generate a MD5 hash of a namespace and a name, and copy it to the
-// UUID slice.
-func (u *UUID) setBytesFromHash(hash hash.Hash, ns, name []byte) {
-	hash.Write(ns[:])
-	hash.Write(name)
-	copy(u[:], hash.Sum([]byte{})[:16])
-}
-
-// Set the two most significant bits (bits 6 and 7) of the
-// clock_seq_hi_and_reserved to zero and one, respectively.
-func (u *UUID) setVariant(v byte) {
-	switch v {
-	case ReservedNCS:
-		u[8] = (u[8] | ReservedNCS) & 0xBF
-	case ReservedRFC4122:
-		u[8] = (u[8] | ReservedRFC4122) & 0x7F
-	case ReservedMicrosoft:
-		u[8] = (u[8] | ReservedMicrosoft) & 0x3F
-	}
-}
-
-// Variant returns the UUID Variant, which determines the internal
-// layout of the UUID. This will be one of the constants: RESERVED_NCS,
-// RFC_4122, RESERVED_MICROSOFT, RESERVED_FUTURE.
-func (u *UUID) Variant() byte {
-	if u[8]&ReservedNCS == ReservedNCS {
-		return ReservedNCS
-	} else if u[8]&ReservedRFC4122 == ReservedRFC4122 {
-		return ReservedRFC4122
-	} else if u[8]&ReservedMicrosoft == ReservedMicrosoft {
-		return ReservedMicrosoft
-	}
-	return ReservedFuture
-}
-
-// Set the four most significant bits (bits 12 through 15) of the
-// time_hi_and_version field to the 4-bit version number.
-func (u *UUID) setVersion(v byte) {
-	u[6] = (u[6] & 0xF) | (v << 4)
-}
-
-// Version returns a version number of the algorithm used to
-// generate the UUID sequence.
-func (u *UUID) Version() uint {
-	return uint(u[6] >> 4)
-}
-
-// Returns unparsed version of the generated UUID sequence.
-func (u *UUID) String() string {
-	return fmt.Sprintf("%x-%x-%x-%x-%x", u[0:4], u[4:6], u[6:8], u[8:10], u[10:])
-}
diff --git a/vendor/github.com/pmezard/go-difflib/LICENSE b/vendor/github.com/pmezard/go-difflib/LICENSE
deleted file mode 100644
index c67dad6..0000000
--- a/vendor/github.com/pmezard/go-difflib/LICENSE
+++ /dev/null
@@ -1,27 +0,0 @@
-Copyright (c) 2013, Patrick Mezard
-All rights reserved.
-
-Redistribution and use in source and binary forms, with or without
-modification, are permitted provided that the following conditions are
-met:
-
-    Redistributions of source code must retain the above copyright
-notice, this list of conditions and the following disclaimer.
-    Redistributions in binary form must reproduce the above copyright
-notice, this list of conditions and the following disclaimer in the
-documentation and/or other materials provided with the distribution.
-    The names of its contributors may not be used to endorse or promote
-products derived from this software without specific prior written
-permission.
-
-THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS
-IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED
-TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A
-PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
-HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
-SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED
-TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR
-PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
-LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING
-NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
-SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/vendor/github.com/pmezard/go-difflib/difflib/difflib.go b/vendor/github.com/pmezard/go-difflib/difflib/difflib.go
deleted file mode 100644
index 003e99f..0000000
--- a/vendor/github.com/pmezard/go-difflib/difflib/difflib.go
+++ /dev/null
@@ -1,772 +0,0 @@
-// Package difflib is a partial port of Python difflib module.
-//
-// It provides tools to compare sequences of strings and generate textual diffs.
-//
-// The following class and functions have been ported:
-//
-// - SequenceMatcher
-//
-// - unified_diff
-//
-// - context_diff
-//
-// Getting unified diffs was the main goal of the port. Keep in mind this code
-// is mostly suitable to output text differences in a human friendly way, there
-// are no guarantees generated diffs are consumable by patch(1).
-package difflib
-
-import (
-	"bufio"
-	"bytes"
-	"fmt"
-	"io"
-	"strings"
-)
-
-func min(a, b int) int {
-	if a < b {
-		return a
-	}
-	return b
-}
-
-func max(a, b int) int {
-	if a > b {
-		return a
-	}
-	return b
-}
-
-func calculateRatio(matches, length int) float64 {
-	if length > 0 {
-		return 2.0 * float64(matches) / float64(length)
-	}
-	return 1.0
-}
-
-type Match struct {
-	A    int
-	B    int
-	Size int
-}
-
-type OpCode struct {
-	Tag byte
-	I1  int
-	I2  int
-	J1  int
-	J2  int
-}
-
-// SequenceMatcher compares sequence of strings. The basic
-// algorithm predates, and is a little fancier than, an algorithm
-// published in the late 1980's by Ratcliff and Obershelp under the
-// hyperbolic name "gestalt pattern matching".  The basic idea is to find
-// the longest contiguous matching subsequence that contains no "junk"
-// elements (R-O doesn't address junk).  The same idea is then applied
-// recursively to the pieces of the sequences to the left and to the right
-// of the matching subsequence.  This does not yield minimal edit
-// sequences, but does tend to yield matches that "look right" to people.
-//
-// SequenceMatcher tries to compute a "human-friendly diff" between two
-// sequences.  Unlike e.g. UNIX(tm) diff, the fundamental notion is the
-// longest *contiguous* & junk-free matching subsequence.  That's what
-// catches peoples' eyes.  The Windows(tm) windiff has another interesting
-// notion, pairing up elements that appear uniquely in each sequence.
-// That, and the method here, appear to yield more intuitive difference
-// reports than does diff.  This method appears to be the least vulnerable
-// to synching up on blocks of "junk lines", though (like blank lines in
-// ordinary text files, or maybe "<P>" lines in HTML files).  That may be
-// because this is the only method of the 3 that has a *concept* of
-// "junk" <wink>.
-//
-// Timing:  Basic R-O is cubic time worst case and quadratic time expected
-// case.  SequenceMatcher is quadratic time for the worst case and has
-// expected-case behavior dependent in a complicated way on how many
-// elements the sequences have in common; best case time is linear.
-type SequenceMatcher struct {
-	a              []string
-	b              []string
-	b2j            map[string][]int
-	IsJunk         func(string) bool
-	autoJunk       bool
-	bJunk          map[string]struct{}
-	matchingBlocks []Match
-	fullBCount     map[string]int
-	bPopular       map[string]struct{}
-	opCodes        []OpCode
-}
-
-func NewMatcher(a, b []string) *SequenceMatcher {
-	m := SequenceMatcher{autoJunk: true}
-	m.SetSeqs(a, b)
-	return &m
-}
-
-func NewMatcherWithJunk(a, b []string, autoJunk bool,
-	isJunk func(string) bool) *SequenceMatcher {
-
-	m := SequenceMatcher{IsJunk: isJunk, autoJunk: autoJunk}
-	m.SetSeqs(a, b)
-	return &m
-}
-
-// Set two sequences to be compared.
-func (m *SequenceMatcher) SetSeqs(a, b []string) {
-	m.SetSeq1(a)
-	m.SetSeq2(b)
-}
-
-// Set the first sequence to be compared. The second sequence to be compared is
-// not changed.
-//
-// SequenceMatcher computes and caches detailed information about the second
-// sequence, so if you want to compare one sequence S against many sequences,
-// use .SetSeq2(s) once and call .SetSeq1(x) repeatedly for each of the other
-// sequences.
-//
-// See also SetSeqs() and SetSeq2().
-func (m *SequenceMatcher) SetSeq1(a []string) {
-	if &a == &m.a {
-		return
-	}
-	m.a = a
-	m.matchingBlocks = nil
-	m.opCodes = nil
-}
-
-// Set the second sequence to be compared. The first sequence to be compared is
-// not changed.
-func (m *SequenceMatcher) SetSeq2(b []string) {
-	if &b == &m.b {
-		return
-	}
-	m.b = b
-	m.matchingBlocks = nil
-	m.opCodes = nil
-	m.fullBCount = nil
-	m.chainB()
-}
-
-func (m *SequenceMatcher) chainB() {
-	// Populate line -> index mapping
-	b2j := map[string][]int{}
-	for i, s := range m.b {
-		indices := b2j[s]
-		indices = append(indices, i)
-		b2j[s] = indices
-	}
-
-	// Purge junk elements
-	m.bJunk = map[string]struct{}{}
-	if m.IsJunk != nil {
-		junk := m.bJunk
-		for s, _ := range b2j {
-			if m.IsJunk(s) {
-				junk[s] = struct{}{}
-			}
-		}
-		for s, _ := range junk {
-			delete(b2j, s)
-		}
-	}
-
-	// Purge remaining popular elements
-	popular := map[string]struct{}{}
-	n := len(m.b)
-	if m.autoJunk && n >= 200 {
-		ntest := n/100 + 1
-		for s, indices := range b2j {
-			if len(indices) > ntest {
-				popular[s] = struct{}{}
-			}
-		}
-		for s, _ := range popular {
-			delete(b2j, s)
-		}
-	}
-	m.bPopular = popular
-	m.b2j = b2j
-}
-
-func (m *SequenceMatcher) isBJunk(s string) bool {
-	_, ok := m.bJunk[s]
-	return ok
-}
-
-// Find longest matching block in a[alo:ahi] and b[blo:bhi].
-//
-// If IsJunk is not defined:
-//
-// Return (i,j,k) such that a[i:i+k] is equal to b[j:j+k], where
-//     alo <= i <= i+k <= ahi
-//     blo <= j <= j+k <= bhi
-// and for all (i',j',k') meeting those conditions,
-//     k >= k'
-//     i <= i'
-//     and if i == i', j <= j'
-//
-// In other words, of all maximal matching blocks, return one that
-// starts earliest in a, and of all those maximal matching blocks that
-// start earliest in a, return the one that starts earliest in b.
-//
-// If IsJunk is defined, first the longest matching block is
-// determined as above, but with the additional restriction that no
-// junk element appears in the block.  Then that block is extended as
-// far as possible by matching (only) junk elements on both sides.  So
-// the resulting block never matches on junk except as identical junk
-// happens to be adjacent to an "interesting" match.
-//
-// If no blocks match, return (alo, blo, 0).
-func (m *SequenceMatcher) findLongestMatch(alo, ahi, blo, bhi int) Match {
-	// CAUTION:  stripping common prefix or suffix would be incorrect.
-	// E.g.,
-	//    ab
-	//    acab
-	// Longest matching block is "ab", but if common prefix is
-	// stripped, it's "a" (tied with "b").  UNIX(tm) diff does so
-	// strip, so ends up claiming that ab is changed to acab by
-	// inserting "ca" in the middle.  That's minimal but unintuitive:
-	// "it's obvious" that someone inserted "ac" at the front.
-	// Windiff ends up at the same place as diff, but by pairing up
-	// the unique 'b's and then matching the first two 'a's.
-	besti, bestj, bestsize := alo, blo, 0
-
-	// find longest junk-free match
-	// during an iteration of the loop, j2len[j] = length of longest
-	// junk-free match ending with a[i-1] and b[j]
-	j2len := map[int]int{}
-	for i := alo; i != ahi; i++ {
-		// look at all instances of a[i] in b; note that because
-		// b2j has no junk keys, the loop is skipped if a[i] is junk
-		newj2len := map[int]int{}
-		for _, j := range m.b2j[m.a[i]] {
-			// a[i] matches b[j]
-			if j < blo {
-				continue
-			}
-			if j >= bhi {
-				break
-			}
-			k := j2len[j-1] + 1
-			newj2len[j] = k
-			if k > bestsize {
-				besti, bestj, bestsize = i-k+1, j-k+1, k
-			}
-		}
-		j2len = newj2len
-	}
-
-	// Extend the best by non-junk elements on each end.  In particular,
-	// "popular" non-junk elements aren't in b2j, which greatly speeds
-	// the inner loop above, but also means "the best" match so far
-	// doesn't contain any junk *or* popular non-junk elements.
-	for besti > alo && bestj > blo && !m.isBJunk(m.b[bestj-1]) &&
-		m.a[besti-1] == m.b[bestj-1] {
-		besti, bestj, bestsize = besti-1, bestj-1, bestsize+1
-	}
-	for besti+bestsize < ahi && bestj+bestsize < bhi &&
-		!m.isBJunk(m.b[bestj+bestsize]) &&
-		m.a[besti+bestsize] == m.b[bestj+bestsize] {
-		bestsize += 1
-	}
-
-	// Now that we have a wholly interesting match (albeit possibly
-	// empty!), we may as well suck up the matching junk on each
-	// side of it too.  Can't think of a good reason not to, and it
-	// saves post-processing the (possibly considerable) expense of
-	// figuring out what to do with it.  In the case of an empty
-	// interesting match, this is clearly the right thing to do,
-	// because no other kind of match is possible in the regions.
-	for besti > alo && bestj > blo && m.isBJunk(m.b[bestj-1]) &&
-		m.a[besti-1] == m.b[bestj-1] {
-		besti, bestj, bestsize = besti-1, bestj-1, bestsize+1
-	}
-	for besti+bestsize < ahi && bestj+bestsize < bhi &&
-		m.isBJunk(m.b[bestj+bestsize]) &&
-		m.a[besti+bestsize] == m.b[bestj+bestsize] {
-		bestsize += 1
-	}
-
-	return Match{A: besti, B: bestj, Size: bestsize}
-}
-
-// Return list of triples describing matching subsequences.
-//
-// Each triple is of the form (i, j, n), and means that
-// a[i:i+n] == b[j:j+n].  The triples are monotonically increasing in
-// i and in j. It's also guaranteed that if (i, j, n) and (i', j', n') are
-// adjacent triples in the list, and the second is not the last triple in the
-// list, then i+n != i' or j+n != j'. IOW, adjacent triples never describe
-// adjacent equal blocks.
-//
-// The last triple is a dummy, (len(a), len(b), 0), and is the only
-// triple with n==0.
-func (m *SequenceMatcher) GetMatchingBlocks() []Match {
-	if m.matchingBlocks != nil {
-		return m.matchingBlocks
-	}
-
-	var matchBlocks func(alo, ahi, blo, bhi int, matched []Match) []Match
-	matchBlocks = func(alo, ahi, blo, bhi int, matched []Match) []Match {
-		match := m.findLongestMatch(alo, ahi, blo, bhi)
-		i, j, k := match.A, match.B, match.Size
-		if match.Size > 0 {
-			if alo < i && blo < j {
-				matched = matchBlocks(alo, i, blo, j, matched)
-			}
-			matched = append(matched, match)
-			if i+k < ahi && j+k < bhi {
-				matched = matchBlocks(i+k, ahi, j+k, bhi, matched)
-			}
-		}
-		return matched
-	}
-	matched := matchBlocks(0, len(m.a), 0, len(m.b), nil)
-
-	// It's possible that we have adjacent equal blocks in the
-	// matching_blocks list now.
-	nonAdjacent := []Match{}
-	i1, j1, k1 := 0, 0, 0
-	for _, b := range matched {
-		// Is this block adjacent to i1, j1, k1?
-		i2, j2, k2 := b.A, b.B, b.Size
-		if i1+k1 == i2 && j1+k1 == j2 {
-			// Yes, so collapse them -- this just increases the length of
-			// the first block by the length of the second, and the first
-			// block so lengthened remains the block to compare against.
-			k1 += k2
-		} else {
-			// Not adjacent.  Remember the first block (k1==0 means it's
-			// the dummy we started with), and make the second block the
-			// new block to compare against.
-			if k1 > 0 {
-				nonAdjacent = append(nonAdjacent, Match{i1, j1, k1})
-			}
-			i1, j1, k1 = i2, j2, k2
-		}
-	}
-	if k1 > 0 {
-		nonAdjacent = append(nonAdjacent, Match{i1, j1, k1})
-	}
-
-	nonAdjacent = append(nonAdjacent, Match{len(m.a), len(m.b), 0})
-	m.matchingBlocks = nonAdjacent
-	return m.matchingBlocks
-}
-
-// Return list of 5-tuples describing how to turn a into b.
-//
-// Each tuple is of the form (tag, i1, i2, j1, j2).  The first tuple
-// has i1 == j1 == 0, and remaining tuples have i1 == the i2 from the
-// tuple preceding it, and likewise for j1 == the previous j2.
-//
-// The tags are characters, with these meanings:
-//
-// 'r' (replace):  a[i1:i2] should be replaced by b[j1:j2]
-//
-// 'd' (delete):   a[i1:i2] should be deleted, j1==j2 in this case.
-//
-// 'i' (insert):   b[j1:j2] should be inserted at a[i1:i1], i1==i2 in this case.
-//
-// 'e' (equal):    a[i1:i2] == b[j1:j2]
-func (m *SequenceMatcher) GetOpCodes() []OpCode {
-	if m.opCodes != nil {
-		return m.opCodes
-	}
-	i, j := 0, 0
-	matching := m.GetMatchingBlocks()
-	opCodes := make([]OpCode, 0, len(matching))
-	for _, m := range matching {
-		//  invariant:  we've pumped out correct diffs to change
-		//  a[:i] into b[:j], and the next matching block is
-		//  a[ai:ai+size] == b[bj:bj+size]. So we need to pump
-		//  out a diff to change a[i:ai] into b[j:bj], pump out
-		//  the matching block, and move (i,j) beyond the match
-		ai, bj, size := m.A, m.B, m.Size
-		tag := byte(0)
-		if i < ai && j < bj {
-			tag = 'r'
-		} else if i < ai {
-			tag = 'd'
-		} else if j < bj {
-			tag = 'i'
-		}
-		if tag > 0 {
-			opCodes = append(opCodes, OpCode{tag, i, ai, j, bj})
-		}
-		i, j = ai+size, bj+size
-		// the list of matching blocks is terminated by a
-		// sentinel with size 0
-		if size > 0 {
-			opCodes = append(opCodes, OpCode{'e', ai, i, bj, j})
-		}
-	}
-	m.opCodes = opCodes
-	return m.opCodes
-}
-
-// Isolate change clusters by eliminating ranges with no changes.
-//
-// Return a generator of groups with up to n lines of context.
-// Each group is in the same format as returned by GetOpCodes().
-func (m *SequenceMatcher) GetGroupedOpCodes(n int) [][]OpCode {
-	if n < 0 {
-		n = 3
-	}
-	codes := m.GetOpCodes()
-	if len(codes) == 0 {
-		codes = []OpCode{OpCode{'e', 0, 1, 0, 1}}
-	}
-	// Fixup leading and trailing groups if they show no changes.
-	if codes[0].Tag == 'e' {
-		c := codes[0]
-		i1, i2, j1, j2 := c.I1, c.I2, c.J1, c.J2
-		codes[0] = OpCode{c.Tag, max(i1, i2-n), i2, max(j1, j2-n), j2}
-	}
-	if codes[len(codes)-1].Tag == 'e' {
-		c := codes[len(codes)-1]
-		i1, i2, j1, j2 := c.I1, c.I2, c.J1, c.J2
-		codes[len(codes)-1] = OpCode{c.Tag, i1, min(i2, i1+n), j1, min(j2, j1+n)}
-	}
-	nn := n + n
-	groups := [][]OpCode{}
-	group := []OpCode{}
-	for _, c := range codes {
-		i1, i2, j1, j2 := c.I1, c.I2, c.J1, c.J2
-		// End the current group and start a new one whenever
-		// there is a large range with no changes.
-		if c.Tag == 'e' && i2-i1 > nn {
-			group = append(group, OpCode{c.Tag, i1, min(i2, i1+n),
-				j1, min(j2, j1+n)})
-			groups = append(groups, group)
-			group = []OpCode{}
-			i1, j1 = max(i1, i2-n), max(j1, j2-n)
-		}
-		group = append(group, OpCode{c.Tag, i1, i2, j1, j2})
-	}
-	if len(group) > 0 && !(len(group) == 1 && group[0].Tag == 'e') {
-		groups = append(groups, group)
-	}
-	return groups
-}
-
-// Return a measure of the sequences' similarity (float in [0,1]).
-//
-// Where T is the total number of elements in both sequences, and
-// M is the number of matches, this is 2.0*M / T.
-// Note that this is 1 if the sequences are identical, and 0 if
-// they have nothing in common.
-//
-// .Ratio() is expensive to compute if you haven't already computed
-// .GetMatchingBlocks() or .GetOpCodes(), in which case you may
-// want to try .QuickRatio() or .RealQuickRation() first to get an
-// upper bound.
-func (m *SequenceMatcher) Ratio() float64 {
-	matches := 0
-	for _, m := range m.GetMatchingBlocks() {
-		matches += m.Size
-	}
-	return calculateRatio(matches, len(m.a)+len(m.b))
-}
-
-// Return an upper bound on ratio() relatively quickly.
-//
-// This isn't defined beyond that it is an upper bound on .Ratio(), and
-// is faster to compute.
-func (m *SequenceMatcher) QuickRatio() float64 {
-	// viewing a and b as multisets, set matches to the cardinality
-	// of their intersection; this counts the number of matches
-	// without regard to order, so is clearly an upper bound
-	if m.fullBCount == nil {
-		m.fullBCount = map[string]int{}
-		for _, s := range m.b {
-			m.fullBCount[s] = m.fullBCount[s] + 1
-		}
-	}
-
-	// avail[x] is the number of times x appears in 'b' less the
-	// number of times we've seen it in 'a' so far ... kinda
-	avail := map[string]int{}
-	matches := 0
-	for _, s := range m.a {
-		n, ok := avail[s]
-		if !ok {
-			n = m.fullBCount[s]
-		}
-		avail[s] = n - 1
-		if n > 0 {
-			matches += 1
-		}
-	}
-	return calculateRatio(matches, len(m.a)+len(m.b))
-}
-
-// Return an upper bound on ratio() very quickly.
-//
-// This isn't defined beyond that it is an upper bound on .Ratio(), and
-// is faster to compute than either .Ratio() or .QuickRatio().
-func (m *SequenceMatcher) RealQuickRatio() float64 {
-	la, lb := len(m.a), len(m.b)
-	return calculateRatio(min(la, lb), la+lb)
-}
-
-// Convert range to the "ed" format
-func formatRangeUnified(start, stop int) string {
-	// Per the diff spec at http://www.unix.org/single_unix_specification/
-	beginning := start + 1 // lines start numbering with one
-	length := stop - start
-	if length == 1 {
-		return fmt.Sprintf("%d", beginning)
-	}
-	if length == 0 {
-		beginning -= 1 // empty ranges begin at line just before the range
-	}
-	return fmt.Sprintf("%d,%d", beginning, length)
-}
-
-// Unified diff parameters
-type UnifiedDiff struct {
-	A        []string // First sequence lines
-	FromFile string   // First file name
-	FromDate string   // First file time
-	B        []string // Second sequence lines
-	ToFile   string   // Second file name
-	ToDate   string   // Second file time
-	Eol      string   // Headers end of line, defaults to LF
-	Context  int      // Number of context lines
-}
-
-// Compare two sequences of lines; generate the delta as a unified diff.
-//
-// Unified diffs are a compact way of showing line changes and a few
-// lines of context.  The number of context lines is set by 'n' which
-// defaults to three.
-//
-// By default, the diff control lines (those with ---, +++, or @@) are
-// created with a trailing newline.  This is helpful so that inputs
-// created from file.readlines() result in diffs that are suitable for
-// file.writelines() since both the inputs and outputs have trailing
-// newlines.
-//
-// For inputs that do not have trailing newlines, set the lineterm
-// argument to "" so that the output will be uniformly newline free.
-//
-// The unidiff format normally has a header for filenames and modification
-// times.  Any or all of these may be specified using strings for
-// 'fromfile', 'tofile', 'fromfiledate', and 'tofiledate'.
-// The modification times are normally expressed in the ISO 8601 format.
-func WriteUnifiedDiff(writer io.Writer, diff UnifiedDiff) error {
-	buf := bufio.NewWriter(writer)
-	defer buf.Flush()
-	wf := func(format string, args ...interface{}) error {
-		_, err := buf.WriteString(fmt.Sprintf(format, args...))
-		return err
-	}
-	ws := func(s string) error {
-		_, err := buf.WriteString(s)
-		return err
-	}
-
-	if len(diff.Eol) == 0 {
-		diff.Eol = "\n"
-	}
-
-	started := false
-	m := NewMatcher(diff.A, diff.B)
-	for _, g := range m.GetGroupedOpCodes(diff.Context) {
-		if !started {
-			started = true
-			fromDate := ""
-			if len(diff.FromDate) > 0 {
-				fromDate = "\t" + diff.FromDate
-			}
-			toDate := ""
-			if len(diff.ToDate) > 0 {
-				toDate = "\t" + diff.ToDate
-			}
-			if diff.FromFile != "" || diff.ToFile != "" {
-				err := wf("--- %s%s%s", diff.FromFile, fromDate, diff.Eol)
-				if err != nil {
-					return err
-				}
-				err = wf("+++ %s%s%s", diff.ToFile, toDate, diff.Eol)
-				if err != nil {
-					return err
-				}
-			}
-		}
-		first, last := g[0], g[len(g)-1]
-		range1 := formatRangeUnified(first.I1, last.I2)
-		range2 := formatRangeUnified(first.J1, last.J2)
-		if err := wf("@@ -%s +%s @@%s", range1, range2, diff.Eol); err != nil {
-			return err
-		}
-		for _, c := range g {
-			i1, i2, j1, j2 := c.I1, c.I2, c.J1, c.J2
-			if c.Tag == 'e' {
-				for _, line := range diff.A[i1:i2] {
-					if err := ws(" " + line); err != nil {
-						return err
-					}
-				}
-				continue
-			}
-			if c.Tag == 'r' || c.Tag == 'd' {
-				for _, line := range diff.A[i1:i2] {
-					if err := ws("-" + line); err != nil {
-						return err
-					}
-				}
-			}
-			if c.Tag == 'r' || c.Tag == 'i' {
-				for _, line := range diff.B[j1:j2] {
-					if err := ws("+" + line); err != nil {
-						return err
-					}
-				}
-			}
-		}
-	}
-	return nil
-}
-
-// Like WriteUnifiedDiff but returns the diff a string.
-func GetUnifiedDiffString(diff UnifiedDiff) (string, error) {
-	w := &bytes.Buffer{}
-	err := WriteUnifiedDiff(w, diff)
-	return string(w.Bytes()), err
-}
-
-// Convert range to the "ed" format.
-func formatRangeContext(start, stop int) string {
-	// Per the diff spec at http://www.unix.org/single_unix_specification/
-	beginning := start + 1 // lines start numbering with one
-	length := stop - start
-	if length == 0 {
-		beginning -= 1 // empty ranges begin at line just before the range
-	}
-	if length <= 1 {
-		return fmt.Sprintf("%d", beginning)
-	}
-	return fmt.Sprintf("%d,%d", beginning, beginning+length-1)
-}
-
-type ContextDiff UnifiedDiff
-
-// Compare two sequences of lines; generate the delta as a context diff.
-//
-// Context diffs are a compact way of showing line changes and a few
-// lines of context. The number of context lines is set by diff.Context
-// which defaults to three.
-//
-// By default, the diff control lines (those with *** or ---) are
-// created with a trailing newline.
-//
-// For inputs that do not have trailing newlines, set the diff.Eol
-// argument to "" so that the output will be uniformly newline free.
-//
-// The context diff format normally has a header for filenames and
-// modification times.  Any or all of these may be specified using
-// strings for diff.FromFile, diff.ToFile, diff.FromDate, diff.ToDate.
-// The modification times are normally expressed in the ISO 8601 format.
-// If not specified, the strings default to blanks.
-func WriteContextDiff(writer io.Writer, diff ContextDiff) error {
-	buf := bufio.NewWriter(writer)
-	defer buf.Flush()
-	var diffErr error
-	wf := func(format string, args ...interface{}) {
-		_, err := buf.WriteString(fmt.Sprintf(format, args...))
-		if diffErr == nil && err != nil {
-			diffErr = err
-		}
-	}
-	ws := func(s string) {
-		_, err := buf.WriteString(s)
-		if diffErr == nil && err != nil {
-			diffErr = err
-		}
-	}
-
-	if len(diff.Eol) == 0 {
-		diff.Eol = "\n"
-	}
-
-	prefix := map[byte]string{
-		'i': "+ ",
-		'd': "- ",
-		'r': "! ",
-		'e': "  ",
-	}
-
-	started := false
-	m := NewMatcher(diff.A, diff.B)
-	for _, g := range m.GetGroupedOpCodes(diff.Context) {
-		if !started {
-			started = true
-			fromDate := ""
-			if len(diff.FromDate) > 0 {
-				fromDate = "\t" + diff.FromDate
-			}
-			toDate := ""
-			if len(diff.ToDate) > 0 {
-				toDate = "\t" + diff.ToDate
-			}
-			if diff.FromFile != "" || diff.ToFile != "" {
-				wf("*** %s%s%s", diff.FromFile, fromDate, diff.Eol)
-				wf("--- %s%s%s", diff.ToFile, toDate, diff.Eol)
-			}
-		}
-
-		first, last := g[0], g[len(g)-1]
-		ws("***************" + diff.Eol)
-
-		range1 := formatRangeContext(first.I1, last.I2)
-		wf("*** %s ****%s", range1, diff.Eol)
-		for _, c := range g {
-			if c.Tag == 'r' || c.Tag == 'd' {
-				for _, cc := range g {
-					if cc.Tag == 'i' {
-						continue
-					}
-					for _, line := range diff.A[cc.I1:cc.I2] {
-						ws(prefix[cc.Tag] + line)
-					}
-				}
-				break
-			}
-		}
-
-		range2 := formatRangeContext(first.J1, last.J2)
-		wf("--- %s ----%s", range2, diff.Eol)
-		for _, c := range g {
-			if c.Tag == 'r' || c.Tag == 'i' {
-				for _, cc := range g {
-					if cc.Tag == 'd' {
-						continue
-					}
-					for _, line := range diff.B[cc.J1:cc.J2] {
-						ws(prefix[cc.Tag] + line)
-					}
-				}
-				break
-			}
-		}
-	}
-	return diffErr
-}
-
-// Like WriteContextDiff but returns the diff a string.
-func GetContextDiffString(diff ContextDiff) (string, error) {
-	w := &bytes.Buffer{}
-	err := WriteContextDiff(w, diff)
-	return string(w.Bytes()), err
-}
-
-// Split a string on "\n" while preserving them. The output can be used
-// as input for UnifiedDiff and ContextDiff structures.
-func SplitLines(s string) []string {
-	lines := strings.SplitAfter(s, "\n")
-	lines[len(lines)-1] += "\n"
-	return lines
-}
diff --git a/vendor/github.com/stretchr/testify/LICENCE.txt b/vendor/github.com/stretchr/testify/LICENCE.txt
deleted file mode 100644
index 473b670..0000000
--- a/vendor/github.com/stretchr/testify/LICENCE.txt
+++ /dev/null
@@ -1,22 +0,0 @@
-Copyright (c) 2012 - 2013 Mat Ryer and Tyler Bunnell
-
-Please consider promoting this project if you find it useful.
-
-Permission is hereby granted, free of charge, to any person 
-obtaining a copy of this software and associated documentation 
-files (the "Software"), to deal in the Software without restriction, 
-including without limitation the rights to use, copy, modify, merge, 
-publish, distribute, sublicense, and/or sell copies of the Software, 
-and to permit persons to whom the Software is furnished to do so, 
-subject to the following conditions:
-
-The above copyright notice and this permission notice shall be included
-in all copies or substantial portions of the Software.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, 
-EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES 
-OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. 
-IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, 
-DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT 
-OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE 
-OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/vendor/github.com/stretchr/testify/LICENSE b/vendor/github.com/stretchr/testify/LICENSE
deleted file mode 100644
index 473b670..0000000
--- a/vendor/github.com/stretchr/testify/LICENSE
+++ /dev/null
@@ -1,22 +0,0 @@
-Copyright (c) 2012 - 2013 Mat Ryer and Tyler Bunnell
-
-Please consider promoting this project if you find it useful.
-
-Permission is hereby granted, free of charge, to any person 
-obtaining a copy of this software and associated documentation 
-files (the "Software"), to deal in the Software without restriction, 
-including without limitation the rights to use, copy, modify, merge, 
-publish, distribute, sublicense, and/or sell copies of the Software, 
-and to permit persons to whom the Software is furnished to do so, 
-subject to the following conditions:
-
-The above copyright notice and this permission notice shall be included
-in all copies or substantial portions of the Software.
-
-THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, 
-EXPRESS OR IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES 
-OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. 
-IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, 
-DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT 
-OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE 
-OR THE USE OR OTHER DEALINGS IN THE SOFTWARE.
diff --git a/vendor/github.com/stretchr/testify/assert/assertion_forward.go b/vendor/github.com/stretchr/testify/assert/assertion_forward.go
deleted file mode 100644
index e6a7960..0000000
--- a/vendor/github.com/stretchr/testify/assert/assertion_forward.go
+++ /dev/null
@@ -1,387 +0,0 @@
-/*
-* CODE GENERATED AUTOMATICALLY WITH github.com/stretchr/testify/_codegen
-* THIS FILE MUST NOT BE EDITED BY HAND
-*/
-
-package assert
-
-import (
-
-	http "net/http"
-	url "net/url"
-	time "time"
-)
-
-
-// Condition uses a Comparison to assert a complex condition.
-func (a *Assertions) Condition(comp Comparison, msgAndArgs ...interface{}) bool {
-	return Condition(a.t, comp, msgAndArgs...)
-}
-
-
-// Contains asserts that the specified string, list(array, slice...) or map contains the
-// specified substring or element.
-// 
-//    a.Contains("Hello World", "World", "But 'Hello World' does contain 'World'")
-//    a.Contains(["Hello", "World"], "World", "But ["Hello", "World"] does contain 'World'")
-//    a.Contains({"Hello": "World"}, "Hello", "But {'Hello': 'World'} does contain 'Hello'")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Contains(s interface{}, contains interface{}, msgAndArgs ...interface{}) bool {
-	return Contains(a.t, s, contains, msgAndArgs...)
-}
-
-
-// Empty asserts that the specified object is empty.  I.e. nil, "", false, 0 or either
-// a slice or a channel with len == 0.
-// 
-//  a.Empty(obj)
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Empty(object interface{}, msgAndArgs ...interface{}) bool {
-	return Empty(a.t, object, msgAndArgs...)
-}
-
-
-// Equal asserts that two objects are equal.
-// 
-//    a.Equal(123, 123, "123 and 123 should be equal")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Equal(expected interface{}, actual interface{}, msgAndArgs ...interface{}) bool {
-	return Equal(a.t, expected, actual, msgAndArgs...)
-}
-
-
-// EqualError asserts that a function returned an error (i.e. not `nil`)
-// and that it is equal to the provided error.
-// 
-//   actualObj, err := SomeFunction()
-//   if assert.Error(t, err, "An error was expected") {
-// 	   assert.Equal(t, err, expectedError)
-//   }
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) EqualError(theError error, errString string, msgAndArgs ...interface{}) bool {
-	return EqualError(a.t, theError, errString, msgAndArgs...)
-}
-
-
-// EqualValues asserts that two objects are equal or convertable to the same types
-// and equal.
-// 
-//    a.EqualValues(uint32(123), int32(123), "123 and 123 should be equal")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) EqualValues(expected interface{}, actual interface{}, msgAndArgs ...interface{}) bool {
-	return EqualValues(a.t, expected, actual, msgAndArgs...)
-}
-
-
-// Error asserts that a function returned an error (i.e. not `nil`).
-// 
-//   actualObj, err := SomeFunction()
-//   if a.Error(err, "An error was expected") {
-// 	   assert.Equal(t, err, expectedError)
-//   }
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Error(err error, msgAndArgs ...interface{}) bool {
-	return Error(a.t, err, msgAndArgs...)
-}
-
-
-// Exactly asserts that two objects are equal is value and type.
-// 
-//    a.Exactly(int32(123), int64(123), "123 and 123 should NOT be equal")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Exactly(expected interface{}, actual interface{}, msgAndArgs ...interface{}) bool {
-	return Exactly(a.t, expected, actual, msgAndArgs...)
-}
-
-
-// Fail reports a failure through
-func (a *Assertions) Fail(failureMessage string, msgAndArgs ...interface{}) bool {
-	return Fail(a.t, failureMessage, msgAndArgs...)
-}
-
-
-// FailNow fails test
-func (a *Assertions) FailNow(failureMessage string, msgAndArgs ...interface{}) bool {
-	return FailNow(a.t, failureMessage, msgAndArgs...)
-}
-
-
-// False asserts that the specified value is false.
-// 
-//    a.False(myBool, "myBool should be false")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) False(value bool, msgAndArgs ...interface{}) bool {
-	return False(a.t, value, msgAndArgs...)
-}
-
-
-// HTTPBodyContains asserts that a specified handler returns a
-// body that contains a string.
-// 
-//  a.HTTPBodyContains(myHandler, "www.google.com", nil, "I'm Feeling Lucky")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) HTTPBodyContains(handler http.HandlerFunc, method string, url string, values url.Values, str interface{}) bool {
-	return HTTPBodyContains(a.t, handler, method, url, values, str)
-}
-
-
-// HTTPBodyNotContains asserts that a specified handler returns a
-// body that does not contain a string.
-// 
-//  a.HTTPBodyNotContains(myHandler, "www.google.com", nil, "I'm Feeling Lucky")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) HTTPBodyNotContains(handler http.HandlerFunc, method string, url string, values url.Values, str interface{}) bool {
-	return HTTPBodyNotContains(a.t, handler, method, url, values, str)
-}
-
-
-// HTTPError asserts that a specified handler returns an error status code.
-// 
-//  a.HTTPError(myHandler, "POST", "/a/b/c", url.Values{"a": []string{"b", "c"}}
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) HTTPError(handler http.HandlerFunc, method string, url string, values url.Values) bool {
-	return HTTPError(a.t, handler, method, url, values)
-}
-
-
-// HTTPRedirect asserts that a specified handler returns a redirect status code.
-// 
-//  a.HTTPRedirect(myHandler, "GET", "/a/b/c", url.Values{"a": []string{"b", "c"}}
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) HTTPRedirect(handler http.HandlerFunc, method string, url string, values url.Values) bool {
-	return HTTPRedirect(a.t, handler, method, url, values)
-}
-
-
-// HTTPSuccess asserts that a specified handler returns a success status code.
-// 
-//  a.HTTPSuccess(myHandler, "POST", "http://www.google.com", nil)
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) HTTPSuccess(handler http.HandlerFunc, method string, url string, values url.Values) bool {
-	return HTTPSuccess(a.t, handler, method, url, values)
-}
-
-
-// Implements asserts that an object is implemented by the specified interface.
-// 
-//    a.Implements((*MyInterface)(nil), new(MyObject), "MyObject")
-func (a *Assertions) Implements(interfaceObject interface{}, object interface{}, msgAndArgs ...interface{}) bool {
-	return Implements(a.t, interfaceObject, object, msgAndArgs...)
-}
-
-
-// InDelta asserts that the two numerals are within delta of each other.
-// 
-// 	 a.InDelta(math.Pi, (22 / 7.0), 0.01)
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) InDelta(expected interface{}, actual interface{}, delta float64, msgAndArgs ...interface{}) bool {
-	return InDelta(a.t, expected, actual, delta, msgAndArgs...)
-}
-
-
-// InDeltaSlice is the same as InDelta, except it compares two slices.
-func (a *Assertions) InDeltaSlice(expected interface{}, actual interface{}, delta float64, msgAndArgs ...interface{}) bool {
-	return InDeltaSlice(a.t, expected, actual, delta, msgAndArgs...)
-}
-
-
-// InEpsilon asserts that expected and actual have a relative error less than epsilon
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) InEpsilon(expected interface{}, actual interface{}, epsilon float64, msgAndArgs ...interface{}) bool {
-	return InEpsilon(a.t, expected, actual, epsilon, msgAndArgs...)
-}
-
-
-// InEpsilonSlice is the same as InEpsilon, except it compares two slices.
-func (a *Assertions) InEpsilonSlice(expected interface{}, actual interface{}, delta float64, msgAndArgs ...interface{}) bool {
-	return InEpsilonSlice(a.t, expected, actual, delta, msgAndArgs...)
-}
-
-
-// IsType asserts that the specified objects are of the same type.
-func (a *Assertions) IsType(expectedType interface{}, object interface{}, msgAndArgs ...interface{}) bool {
-	return IsType(a.t, expectedType, object, msgAndArgs...)
-}
-
-
-// JSONEq asserts that two JSON strings are equivalent.
-// 
-//  a.JSONEq(`{"hello": "world", "foo": "bar"}`, `{"foo": "bar", "hello": "world"}`)
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) JSONEq(expected string, actual string, msgAndArgs ...interface{}) bool {
-	return JSONEq(a.t, expected, actual, msgAndArgs...)
-}
-
-
-// Len asserts that the specified object has specific length.
-// Len also fails if the object has a type that len() not accept.
-// 
-//    a.Len(mySlice, 3, "The size of slice is not 3")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Len(object interface{}, length int, msgAndArgs ...interface{}) bool {
-	return Len(a.t, object, length, msgAndArgs...)
-}
-
-
-// Nil asserts that the specified object is nil.
-// 
-//    a.Nil(err, "err should be nothing")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Nil(object interface{}, msgAndArgs ...interface{}) bool {
-	return Nil(a.t, object, msgAndArgs...)
-}
-
-
-// NoError asserts that a function returned no error (i.e. `nil`).
-// 
-//   actualObj, err := SomeFunction()
-//   if a.NoError(err) {
-// 	   assert.Equal(t, actualObj, expectedObj)
-//   }
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NoError(err error, msgAndArgs ...interface{}) bool {
-	return NoError(a.t, err, msgAndArgs...)
-}
-
-
-// NotContains asserts that the specified string, list(array, slice...) or map does NOT contain the
-// specified substring or element.
-// 
-//    a.NotContains("Hello World", "Earth", "But 'Hello World' does NOT contain 'Earth'")
-//    a.NotContains(["Hello", "World"], "Earth", "But ['Hello', 'World'] does NOT contain 'Earth'")
-//    a.NotContains({"Hello": "World"}, "Earth", "But {'Hello': 'World'} does NOT contain 'Earth'")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NotContains(s interface{}, contains interface{}, msgAndArgs ...interface{}) bool {
-	return NotContains(a.t, s, contains, msgAndArgs...)
-}
-
-
-// NotEmpty asserts that the specified object is NOT empty.  I.e. not nil, "", false, 0 or either
-// a slice or a channel with len == 0.
-// 
-//  if a.NotEmpty(obj) {
-//    assert.Equal(t, "two", obj[1])
-//  }
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NotEmpty(object interface{}, msgAndArgs ...interface{}) bool {
-	return NotEmpty(a.t, object, msgAndArgs...)
-}
-
-
-// NotEqual asserts that the specified values are NOT equal.
-// 
-//    a.NotEqual(obj1, obj2, "two objects shouldn't be equal")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NotEqual(expected interface{}, actual interface{}, msgAndArgs ...interface{}) bool {
-	return NotEqual(a.t, expected, actual, msgAndArgs...)
-}
-
-
-// NotNil asserts that the specified object is not nil.
-// 
-//    a.NotNil(err, "err should be something")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NotNil(object interface{}, msgAndArgs ...interface{}) bool {
-	return NotNil(a.t, object, msgAndArgs...)
-}
-
-
-// NotPanics asserts that the code inside the specified PanicTestFunc does NOT panic.
-// 
-//   a.NotPanics(func(){
-//     RemainCalm()
-//   }, "Calling RemainCalm() should NOT panic")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NotPanics(f PanicTestFunc, msgAndArgs ...interface{}) bool {
-	return NotPanics(a.t, f, msgAndArgs...)
-}
-
-
-// NotRegexp asserts that a specified regexp does not match a string.
-// 
-//  a.NotRegexp(regexp.MustCompile("starts"), "it's starting")
-//  a.NotRegexp("^start", "it's not starting")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) NotRegexp(rx interface{}, str interface{}, msgAndArgs ...interface{}) bool {
-	return NotRegexp(a.t, rx, str, msgAndArgs...)
-}
-
-
-// NotZero asserts that i is not the zero value for its type and returns the truth.
-func (a *Assertions) NotZero(i interface{}, msgAndArgs ...interface{}) bool {
-	return NotZero(a.t, i, msgAndArgs...)
-}
-
-
-// Panics asserts that the code inside the specified PanicTestFunc panics.
-// 
-//   a.Panics(func(){
-//     GoCrazy()
-//   }, "Calling GoCrazy() should panic")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Panics(f PanicTestFunc, msgAndArgs ...interface{}) bool {
-	return Panics(a.t, f, msgAndArgs...)
-}
-
-
-// Regexp asserts that a specified regexp matches a string.
-// 
-//  a.Regexp(regexp.MustCompile("start"), "it's starting")
-//  a.Regexp("start...$", "it's not starting")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) Regexp(rx interface{}, str interface{}, msgAndArgs ...interface{}) bool {
-	return Regexp(a.t, rx, str, msgAndArgs...)
-}
-
-
-// True asserts that the specified value is true.
-// 
-//    a.True(myBool, "myBool should be true")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) True(value bool, msgAndArgs ...interface{}) bool {
-	return True(a.t, value, msgAndArgs...)
-}
-
-
-// WithinDuration asserts that the two times are within duration delta of each other.
-// 
-//   a.WithinDuration(time.Now(), time.Now(), 10*time.Second, "The difference should not be more than 10s")
-// 
-// Returns whether the assertion was successful (true) or not (false).
-func (a *Assertions) WithinDuration(expected time.Time, actual time.Time, delta time.Duration, msgAndArgs ...interface{}) bool {
-	return WithinDuration(a.t, expected, actual, delta, msgAndArgs...)
-}
-
-
-// Zero asserts that i is the zero value for its type and returns the truth.
-func (a *Assertions) Zero(i interface{}, msgAndArgs ...interface{}) bool {
-	return Zero(a.t, i, msgAndArgs...)
-}
diff --git a/vendor/github.com/stretchr/testify/assert/assertion_forward.go.tmpl b/vendor/github.com/stretchr/testify/assert/assertion_forward.go.tmpl
deleted file mode 100644
index 99f9acf..0000000
--- a/vendor/github.com/stretchr/testify/assert/assertion_forward.go.tmpl
+++ /dev/null
@@ -1,4 +0,0 @@
-{{.CommentWithoutT "a"}}
-func (a *Assertions) {{.DocInfo.Name}}({{.Params}}) bool {
-	return {{.DocInfo.Name}}(a.t, {{.ForwardedParams}})
-}
diff --git a/vendor/github.com/stretchr/testify/assert/assertions.go b/vendor/github.com/stretchr/testify/assert/assertions.go
deleted file mode 100644
index d7c16c5..0000000
--- a/vendor/github.com/stretchr/testify/assert/assertions.go
+++ /dev/null
@@ -1,1004 +0,0 @@
-package assert
-
-import (
-	"bufio"
-	"bytes"
-	"encoding/json"
-	"fmt"
-	"math"
-	"reflect"
-	"regexp"
-	"runtime"
-	"strings"
-	"time"
-	"unicode"
-	"unicode/utf8"
-
-	"github.com/davecgh/go-spew/spew"
-	"github.com/pmezard/go-difflib/difflib"
-)
-
-// TestingT is an interface wrapper around *testing.T
-type TestingT interface {
-	Errorf(format string, args ...interface{})
-}
-
-// Comparison a custom function that returns true on success and false on failure
-type Comparison func() (success bool)
-
-/*
-	Helper functions
-*/
-
-// ObjectsAreEqual determines if two objects are considered equal.
-//
-// This function does no assertion of any kind.
-func ObjectsAreEqual(expected, actual interface{}) bool {
-
-	if expected == nil || actual == nil {
-		return expected == actual
-	}
-
-	return reflect.DeepEqual(expected, actual)
-
-}
-
-// ObjectsAreEqualValues gets whether two objects are equal, or if their
-// values are equal.
-func ObjectsAreEqualValues(expected, actual interface{}) bool {
-	if ObjectsAreEqual(expected, actual) {
-		return true
-	}
-
-	actualType := reflect.TypeOf(actual)
-	if actualType == nil {
-		return false
-	}
-	expectedValue := reflect.ValueOf(expected)
-	if expectedValue.IsValid() && expectedValue.Type().ConvertibleTo(actualType) {
-		// Attempt comparison after type conversion
-		return reflect.DeepEqual(expectedValue.Convert(actualType).Interface(), actual)
-	}
-
-	return false
-}
-
-/* CallerInfo is necessary because the assert functions use the testing object
-internally, causing it to print the file:line of the assert method, rather than where
-the problem actually occured in calling code.*/
-
-// CallerInfo returns an array of strings containing the file and line number
-// of each stack frame leading from the current test to the assert call that
-// failed.
-func CallerInfo() []string {
-
-	pc := uintptr(0)
-	file := ""
-	line := 0
-	ok := false
-	name := ""
-
-	callers := []string{}
-	for i := 0; ; i++ {
-		pc, file, line, ok = runtime.Caller(i)
-		if !ok {
-			return nil
-		}
-
-		// This is a huge edge case, but it will panic if this is the case, see #180
-		if file == "<autogenerated>" {
-			break
-		}
-
-		parts := strings.Split(file, "/")
-		dir := parts[len(parts)-2]
-		file = parts[len(parts)-1]
-		if (dir != "assert" && dir != "mock" && dir != "require") || file == "mock_test.go" {
-			callers = append(callers, fmt.Sprintf("%s:%d", file, line))
-		}
-
-		f := runtime.FuncForPC(pc)
-		if f == nil {
-			break
-		}
-		name = f.Name()
-		// Drop the package
-		segments := strings.Split(name, ".")
-		name = segments[len(segments)-1]
-		if isTest(name, "Test") ||
-			isTest(name, "Benchmark") ||
-			isTest(name, "Example") {
-			break
-		}
-	}
-
-	return callers
-}
-
-// Stolen from the `go test` tool.
-// isTest tells whether name looks like a test (or benchmark, according to prefix).
-// It is a Test (say) if there is a character after Test that is not a lower-case letter.
-// We don't want TesticularCancer.
-func isTest(name, prefix string) bool {
-	if !strings.HasPrefix(name, prefix) {
-		return false
-	}
-	if len(name) == len(prefix) { // "Test" is ok
-		return true
-	}
-	rune, _ := utf8.DecodeRuneInString(name[len(prefix):])
-	return !unicode.IsLower(rune)
-}
-
-// getWhitespaceString returns a string that is long enough to overwrite the default
-// output from the go testing framework.
-func getWhitespaceString() string {
-
-	_, file, line, ok := runtime.Caller(1)
-	if !ok {
-		return ""
-	}
-	parts := strings.Split(file, "/")
-	file = parts[len(parts)-1]
-
-	return strings.Repeat(" ", len(fmt.Sprintf("%s:%d:      ", file, line)))
-
-}
-
-func messageFromMsgAndArgs(msgAndArgs ...interface{}) string {
-	if len(msgAndArgs) == 0 || msgAndArgs == nil {
-		return ""
-	}
-	if len(msgAndArgs) == 1 {
-		return msgAndArgs[0].(string)
-	}
-	if len(msgAndArgs) > 1 {
-		return fmt.Sprintf(msgAndArgs[0].(string), msgAndArgs[1:]...)
-	}
-	return ""
-}
-
-// Indents all lines of the message by appending a number of tabs to each line, in an output format compatible with Go's
-// test printing (see inner comment for specifics)
-func indentMessageLines(message string, tabs int) string {
-	outBuf := new(bytes.Buffer)
-
-	for i, scanner := 0, bufio.NewScanner(strings.NewReader(message)); scanner.Scan(); i++ {
-		if i != 0 {
-			outBuf.WriteRune('\n')
-		}
-		for ii := 0; ii < tabs; ii++ {
-			outBuf.WriteRune('\t')
-			// Bizarrely, all lines except the first need one fewer tabs prepended, so deliberately advance the counter
-			// by 1 prematurely.
-			if ii == 0 && i > 0 {
-				ii++
-			}
-		}
-		outBuf.WriteString(scanner.Text())
-	}
-
-	return outBuf.String()
-}
-
-type failNower interface {
-	FailNow()
-}
-
-// FailNow fails test
-func FailNow(t TestingT, failureMessage string, msgAndArgs ...interface{}) bool {
-	Fail(t, failureMessage, msgAndArgs...)
-
-	// We cannot extend TestingT with FailNow() and
-	// maintain backwards compatibility, so we fallback
-	// to panicking when FailNow is not available in
-	// TestingT.
-	// See issue #263
-
-	if t, ok := t.(failNower); ok {
-		t.FailNow()
-	} else {
-		panic("test failed and t is missing `FailNow()`")
-	}
-	return false
-}
-
-// Fail reports a failure through
-func Fail(t TestingT, failureMessage string, msgAndArgs ...interface{}) bool {
-
-	message := messageFromMsgAndArgs(msgAndArgs...)
-
-	errorTrace := strings.Join(CallerInfo(), "\n\r\t\t\t")
-	if len(message) > 0 {
-		t.Errorf("\r%s\r\tError Trace:\t%s\n"+
-			"\r\tError:%s\n"+
-			"\r\tMessages:\t%s\n\r",
-			getWhitespaceString(),
-			errorTrace,
-			indentMessageLines(failureMessage, 2),
-			message)
-	} else {
-		t.Errorf("\r%s\r\tError Trace:\t%s\n"+
-			"\r\tError:%s\n\r",
-			getWhitespaceString(),
-			errorTrace,
-			indentMessageLines(failureMessage, 2))
-	}
-
-	return false
-}
-
-// Implements asserts that an object is implemented by the specified interface.
-//
-//    assert.Implements(t, (*MyInterface)(nil), new(MyObject), "MyObject")
-func Implements(t TestingT, interfaceObject interface{}, object interface{}, msgAndArgs ...interface{}) bool {
-
-	interfaceType := reflect.TypeOf(interfaceObject).Elem()
-
-	if !reflect.TypeOf(object).Implements(interfaceType) {
-		return Fail(t, fmt.Sprintf("%T must implement %v", object, interfaceType), msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// IsType asserts that the specified objects are of the same type.
-func IsType(t TestingT, expectedType interface{}, object interface{}, msgAndArgs ...interface{}) bool {
-
-	if !ObjectsAreEqual(reflect.TypeOf(object), reflect.TypeOf(expectedType)) {
-		return Fail(t, fmt.Sprintf("Object expected to be of type %v, but was %v", reflect.TypeOf(expectedType), reflect.TypeOf(object)), msgAndArgs...)
-	}
-
-	return true
-}
-
-// Equal asserts that two objects are equal.
-//
-//    assert.Equal(t, 123, 123, "123 and 123 should be equal")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Equal(t TestingT, expected, actual interface{}, msgAndArgs ...interface{}) bool {
-
-	if !ObjectsAreEqual(expected, actual) {
-		diff := diff(expected, actual)
-		return Fail(t, fmt.Sprintf("Not equal: %#v (expected)\n"+
-			"        != %#v (actual)%s", expected, actual, diff), msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// EqualValues asserts that two objects are equal or convertable to the same types
-// and equal.
-//
-//    assert.EqualValues(t, uint32(123), int32(123), "123 and 123 should be equal")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func EqualValues(t TestingT, expected, actual interface{}, msgAndArgs ...interface{}) bool {
-
-	if !ObjectsAreEqualValues(expected, actual) {
-		return Fail(t, fmt.Sprintf("Not equal: %#v (expected)\n"+
-			"        != %#v (actual)", expected, actual), msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// Exactly asserts that two objects are equal is value and type.
-//
-//    assert.Exactly(t, int32(123), int64(123), "123 and 123 should NOT be equal")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Exactly(t TestingT, expected, actual interface{}, msgAndArgs ...interface{}) bool {
-
-	aType := reflect.TypeOf(expected)
-	bType := reflect.TypeOf(actual)
-
-	if aType != bType {
-		return Fail(t, fmt.Sprintf("Types expected to match exactly\n\r\t%v != %v", aType, bType), msgAndArgs...)
-	}
-
-	return Equal(t, expected, actual, msgAndArgs...)
-
-}
-
-// NotNil asserts that the specified object is not nil.
-//
-//    assert.NotNil(t, err, "err should be something")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NotNil(t TestingT, object interface{}, msgAndArgs ...interface{}) bool {
-	if !isNil(object) {
-		return true
-	}
-	return Fail(t, "Expected value not to be nil.", msgAndArgs...)
-}
-
-// isNil checks if a specified object is nil or not, without Failing.
-func isNil(object interface{}) bool {
-	if object == nil {
-		return true
-	}
-
-	value := reflect.ValueOf(object)
-	kind := value.Kind()
-	if kind >= reflect.Chan && kind <= reflect.Slice && value.IsNil() {
-		return true
-	}
-
-	return false
-}
-
-// Nil asserts that the specified object is nil.
-//
-//    assert.Nil(t, err, "err should be nothing")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Nil(t TestingT, object interface{}, msgAndArgs ...interface{}) bool {
-	if isNil(object) {
-		return true
-	}
-	return Fail(t, fmt.Sprintf("Expected nil, but got: %#v", object), msgAndArgs...)
-}
-
-var numericZeros = []interface{}{
-	int(0),
-	int8(0),
-	int16(0),
-	int32(0),
-	int64(0),
-	uint(0),
-	uint8(0),
-	uint16(0),
-	uint32(0),
-	uint64(0),
-	float32(0),
-	float64(0),
-}
-
-// isEmpty gets whether the specified object is considered empty or not.
-func isEmpty(object interface{}) bool {
-
-	if object == nil {
-		return true
-	} else if object == "" {
-		return true
-	} else if object == false {
-		return true
-	}
-
-	for _, v := range numericZeros {
-		if object == v {
-			return true
-		}
-	}
-
-	objValue := reflect.ValueOf(object)
-
-	switch objValue.Kind() {
-	case reflect.Map:
-		fallthrough
-	case reflect.Slice, reflect.Chan:
-		{
-			return (objValue.Len() == 0)
-		}
-	case reflect.Struct:
-		switch object.(type) {
-		case time.Time:
-			return object.(time.Time).IsZero()
-		}
-	case reflect.Ptr:
-		{
-			if objValue.IsNil() {
-				return true
-			}
-			switch object.(type) {
-			case *time.Time:
-				return object.(*time.Time).IsZero()
-			default:
-				return false
-			}
-		}
-	}
-	return false
-}
-
-// Empty asserts that the specified object is empty.  I.e. nil, "", false, 0 or either
-// a slice or a channel with len == 0.
-//
-//  assert.Empty(t, obj)
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Empty(t TestingT, object interface{}, msgAndArgs ...interface{}) bool {
-
-	pass := isEmpty(object)
-	if !pass {
-		Fail(t, fmt.Sprintf("Should be empty, but was %v", object), msgAndArgs...)
-	}
-
-	return pass
-
-}
-
-// NotEmpty asserts that the specified object is NOT empty.  I.e. not nil, "", false, 0 or either
-// a slice or a channel with len == 0.
-//
-//  if assert.NotEmpty(t, obj) {
-//    assert.Equal(t, "two", obj[1])
-//  }
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NotEmpty(t TestingT, object interface{}, msgAndArgs ...interface{}) bool {
-
-	pass := !isEmpty(object)
-	if !pass {
-		Fail(t, fmt.Sprintf("Should NOT be empty, but was %v", object), msgAndArgs...)
-	}
-
-	return pass
-
-}
-
-// getLen try to get length of object.
-// return (false, 0) if impossible.
-func getLen(x interface{}) (ok bool, length int) {
-	v := reflect.ValueOf(x)
-	defer func() {
-		if e := recover(); e != nil {
-			ok = false
-		}
-	}()
-	return true, v.Len()
-}
-
-// Len asserts that the specified object has specific length.
-// Len also fails if the object has a type that len() not accept.
-//
-//    assert.Len(t, mySlice, 3, "The size of slice is not 3")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Len(t TestingT, object interface{}, length int, msgAndArgs ...interface{}) bool {
-	ok, l := getLen(object)
-	if !ok {
-		return Fail(t, fmt.Sprintf("\"%s\" could not be applied builtin len()", object), msgAndArgs...)
-	}
-
-	if l != length {
-		return Fail(t, fmt.Sprintf("\"%s\" should have %d item(s), but has %d", object, length, l), msgAndArgs...)
-	}
-	return true
-}
-
-// True asserts that the specified value is true.
-//
-//    assert.True(t, myBool, "myBool should be true")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func True(t TestingT, value bool, msgAndArgs ...interface{}) bool {
-
-	if value != true {
-		return Fail(t, "Should be true", msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// False asserts that the specified value is false.
-//
-//    assert.False(t, myBool, "myBool should be false")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func False(t TestingT, value bool, msgAndArgs ...interface{}) bool {
-
-	if value != false {
-		return Fail(t, "Should be false", msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// NotEqual asserts that the specified values are NOT equal.
-//
-//    assert.NotEqual(t, obj1, obj2, "two objects shouldn't be equal")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NotEqual(t TestingT, expected, actual interface{}, msgAndArgs ...interface{}) bool {
-
-	if ObjectsAreEqual(expected, actual) {
-		return Fail(t, fmt.Sprintf("Should not be: %#v\n", actual), msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// containsElement try loop over the list check if the list includes the element.
-// return (false, false) if impossible.
-// return (true, false) if element was not found.
-// return (true, true) if element was found.
-func includeElement(list interface{}, element interface{}) (ok, found bool) {
-
-	listValue := reflect.ValueOf(list)
-	elementValue := reflect.ValueOf(element)
-	defer func() {
-		if e := recover(); e != nil {
-			ok = false
-			found = false
-		}
-	}()
-
-	if reflect.TypeOf(list).Kind() == reflect.String {
-		return true, strings.Contains(listValue.String(), elementValue.String())
-	}
-
-	if reflect.TypeOf(list).Kind() == reflect.Map {
-		mapKeys := listValue.MapKeys()
-		for i := 0; i < len(mapKeys); i++ {
-			if ObjectsAreEqual(mapKeys[i].Interface(), element) {
-				return true, true
-			}
-		}
-		return true, false
-	}
-
-	for i := 0; i < listValue.Len(); i++ {
-		if ObjectsAreEqual(listValue.Index(i).Interface(), element) {
-			return true, true
-		}
-	}
-	return true, false
-
-}
-
-// Contains asserts that the specified string, list(array, slice...) or map contains the
-// specified substring or element.
-//
-//    assert.Contains(t, "Hello World", "World", "But 'Hello World' does contain 'World'")
-//    assert.Contains(t, ["Hello", "World"], "World", "But ["Hello", "World"] does contain 'World'")
-//    assert.Contains(t, {"Hello": "World"}, "Hello", "But {'Hello': 'World'} does contain 'Hello'")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Contains(t TestingT, s, contains interface{}, msgAndArgs ...interface{}) bool {
-
-	ok, found := includeElement(s, contains)
-	if !ok {
-		return Fail(t, fmt.Sprintf("\"%s\" could not be applied builtin len()", s), msgAndArgs...)
-	}
-	if !found {
-		return Fail(t, fmt.Sprintf("\"%s\" does not contain \"%s\"", s, contains), msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// NotContains asserts that the specified string, list(array, slice...) or map does NOT contain the
-// specified substring or element.
-//
-//    assert.NotContains(t, "Hello World", "Earth", "But 'Hello World' does NOT contain 'Earth'")
-//    assert.NotContains(t, ["Hello", "World"], "Earth", "But ['Hello', 'World'] does NOT contain 'Earth'")
-//    assert.NotContains(t, {"Hello": "World"}, "Earth", "But {'Hello': 'World'} does NOT contain 'Earth'")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NotContains(t TestingT, s, contains interface{}, msgAndArgs ...interface{}) bool {
-
-	ok, found := includeElement(s, contains)
-	if !ok {
-		return Fail(t, fmt.Sprintf("\"%s\" could not be applied builtin len()", s), msgAndArgs...)
-	}
-	if found {
-		return Fail(t, fmt.Sprintf("\"%s\" should not contain \"%s\"", s, contains), msgAndArgs...)
-	}
-
-	return true
-
-}
-
-// Condition uses a Comparison to assert a complex condition.
-func Condition(t TestingT, comp Comparison, msgAndArgs ...interface{}) bool {
-	result := comp()
-	if !result {
-		Fail(t, "Condition failed!", msgAndArgs...)
-	}
-	return result
-}
-
-// PanicTestFunc defines a func that should be passed to the assert.Panics and assert.NotPanics
-// methods, and represents a simple func that takes no arguments, and returns nothing.
-type PanicTestFunc func()
-
-// didPanic returns true if the function passed to it panics. Otherwise, it returns false.
-func didPanic(f PanicTestFunc) (bool, interface{}) {
-
-	didPanic := false
-	var message interface{}
-	func() {
-
-		defer func() {
-			if message = recover(); message != nil {
-				didPanic = true
-			}
-		}()
-
-		// call the target function
-		f()
-
-	}()
-
-	return didPanic, message
-
-}
-
-// Panics asserts that the code inside the specified PanicTestFunc panics.
-//
-//   assert.Panics(t, func(){
-//     GoCrazy()
-//   }, "Calling GoCrazy() should panic")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Panics(t TestingT, f PanicTestFunc, msgAndArgs ...interface{}) bool {
-
-	if funcDidPanic, panicValue := didPanic(f); !funcDidPanic {
-		return Fail(t, fmt.Sprintf("func %#v should panic\n\r\tPanic value:\t%v", f, panicValue), msgAndArgs...)
-	}
-
-	return true
-}
-
-// NotPanics asserts that the code inside the specified PanicTestFunc does NOT panic.
-//
-//   assert.NotPanics(t, func(){
-//     RemainCalm()
-//   }, "Calling RemainCalm() should NOT panic")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NotPanics(t TestingT, f PanicTestFunc, msgAndArgs ...interface{}) bool {
-
-	if funcDidPanic, panicValue := didPanic(f); funcDidPanic {
-		return Fail(t, fmt.Sprintf("func %#v should not panic\n\r\tPanic value:\t%v", f, panicValue), msgAndArgs...)
-	}
-
-	return true
-}
-
-// WithinDuration asserts that the two times are within duration delta of each other.
-//
-//   assert.WithinDuration(t, time.Now(), time.Now(), 10*time.Second, "The difference should not be more than 10s")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func WithinDuration(t TestingT, expected, actual time.Time, delta time.Duration, msgAndArgs ...interface{}) bool {
-
-	dt := expected.Sub(actual)
-	if dt < -delta || dt > delta {
-		return Fail(t, fmt.Sprintf("Max difference between %v and %v allowed is %v, but difference was %v", expected, actual, delta, dt), msgAndArgs...)
-	}
-
-	return true
-}
-
-func toFloat(x interface{}) (float64, bool) {
-	var xf float64
-	xok := true
-
-	switch xn := x.(type) {
-	case uint8:
-		xf = float64(xn)
-	case uint16:
-		xf = float64(xn)
-	case uint32:
-		xf = float64(xn)
-	case uint64:
-		xf = float64(xn)
-	case int:
-		xf = float64(xn)
-	case int8:
-		xf = float64(xn)
-	case int16:
-		xf = float64(xn)
-	case int32:
-		xf = float64(xn)
-	case int64:
-		xf = float64(xn)
-	case float32:
-		xf = float64(xn)
-	case float64:
-		xf = float64(xn)
-	default:
-		xok = false
-	}
-
-	return xf, xok
-}
-
-// InDelta asserts that the two numerals are within delta of each other.
-//
-// 	 assert.InDelta(t, math.Pi, (22 / 7.0), 0.01)
-//
-// Returns whether the assertion was successful (true) or not (false).
-func InDelta(t TestingT, expected, actual interface{}, delta float64, msgAndArgs ...interface{}) bool {
-
-	af, aok := toFloat(expected)
-	bf, bok := toFloat(actual)
-
-	if !aok || !bok {
-		return Fail(t, fmt.Sprintf("Parameters must be numerical"), msgAndArgs...)
-	}
-
-	if math.IsNaN(af) {
-		return Fail(t, fmt.Sprintf("Actual must not be NaN"), msgAndArgs...)
-	}
-
-	if math.IsNaN(bf) {
-		return Fail(t, fmt.Sprintf("Expected %v with delta %v, but was NaN", expected, delta), msgAndArgs...)
-	}
-
-	dt := af - bf
-	if dt < -delta || dt > delta {
-		return Fail(t, fmt.Sprintf("Max difference between %v and %v allowed is %v, but difference was %v", expected, actual, delta, dt), msgAndArgs...)
-	}
-
-	return true
-}
-
-// InDeltaSlice is the same as InDelta, except it compares two slices.
-func InDeltaSlice(t TestingT, expected, actual interface{}, delta float64, msgAndArgs ...interface{}) bool {
-	if expected == nil || actual == nil ||
-		reflect.TypeOf(actual).Kind() != reflect.Slice ||
-		reflect.TypeOf(expected).Kind() != reflect.Slice {
-		return Fail(t, fmt.Sprintf("Parameters must be slice"), msgAndArgs...)
-	}
-
-	actualSlice := reflect.ValueOf(actual)
-	expectedSlice := reflect.ValueOf(expected)
-
-	for i := 0; i < actualSlice.Len(); i++ {
-		result := InDelta(t, actualSlice.Index(i).Interface(), expectedSlice.Index(i).Interface(), delta)
-		if !result {
-			return result
-		}
-	}
-
-	return true
-}
-
-func calcRelativeError(expected, actual interface{}) (float64, error) {
-	af, aok := toFloat(expected)
-	if !aok {
-		return 0, fmt.Errorf("expected value %q cannot be converted to float", expected)
-	}
-	if af == 0 {
-		return 0, fmt.Errorf("expected value must have a value other than zero to calculate the relative error")
-	}
-	bf, bok := toFloat(actual)
-	if !bok {
-		return 0, fmt.Errorf("expected value %q cannot be converted to float", actual)
-	}
-
-	return math.Abs(af-bf) / math.Abs(af), nil
-}
-
-// InEpsilon asserts that expected and actual have a relative error less than epsilon
-//
-// Returns whether the assertion was successful (true) or not (false).
-func InEpsilon(t TestingT, expected, actual interface{}, epsilon float64, msgAndArgs ...interface{}) bool {
-	actualEpsilon, err := calcRelativeError(expected, actual)
-	if err != nil {
-		return Fail(t, err.Error(), msgAndArgs...)
-	}
-	if actualEpsilon > epsilon {
-		return Fail(t, fmt.Sprintf("Relative error is too high: %#v (expected)\n"+
-			"        < %#v (actual)", actualEpsilon, epsilon), msgAndArgs...)
-	}
-
-	return true
-}
-
-// InEpsilonSlice is the same as InEpsilon, except it compares each value from two slices.
-func InEpsilonSlice(t TestingT, expected, actual interface{}, epsilon float64, msgAndArgs ...interface{}) bool {
-	if expected == nil || actual == nil ||
-		reflect.TypeOf(actual).Kind() != reflect.Slice ||
-		reflect.TypeOf(expected).Kind() != reflect.Slice {
-		return Fail(t, fmt.Sprintf("Parameters must be slice"), msgAndArgs...)
-	}
-
-	actualSlice := reflect.ValueOf(actual)
-	expectedSlice := reflect.ValueOf(expected)
-
-	for i := 0; i < actualSlice.Len(); i++ {
-		result := InEpsilon(t, actualSlice.Index(i).Interface(), expectedSlice.Index(i).Interface(), epsilon)
-		if !result {
-			return result
-		}
-	}
-
-	return true
-}
-
-/*
-	Errors
-*/
-
-// NoError asserts that a function returned no error (i.e. `nil`).
-//
-//   actualObj, err := SomeFunction()
-//   if assert.NoError(t, err) {
-//	   assert.Equal(t, actualObj, expectedObj)
-//   }
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NoError(t TestingT, err error, msgAndArgs ...interface{}) bool {
-	if isNil(err) {
-		return true
-	}
-
-	return Fail(t, fmt.Sprintf("Received unexpected error %q", err), msgAndArgs...)
-}
-
-// Error asserts that a function returned an error (i.e. not `nil`).
-//
-//   actualObj, err := SomeFunction()
-//   if assert.Error(t, err, "An error was expected") {
-//	   assert.Equal(t, err, expectedError)
-//   }
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Error(t TestingT, err error, msgAndArgs ...interface{}) bool {
-
-	message := messageFromMsgAndArgs(msgAndArgs...)
-	return NotNil(t, err, "An error is expected but got nil. %s", message)
-
-}
-
-// EqualError asserts that a function returned an error (i.e. not `nil`)
-// and that it is equal to the provided error.
-//
-//   actualObj, err := SomeFunction()
-//   if assert.Error(t, err, "An error was expected") {
-//	   assert.Equal(t, err, expectedError)
-//   }
-//
-// Returns whether the assertion was successful (true) or not (false).
-func EqualError(t TestingT, theError error, errString string, msgAndArgs ...interface{}) bool {
-
-	message := messageFromMsgAndArgs(msgAndArgs...)
-	if !NotNil(t, theError, "An error is expected but got nil. %s", message) {
-		return false
-	}
-	s := "An error with value \"%s\" is expected but got \"%s\". %s"
-	return Equal(t, errString, theError.Error(),
-		s, errString, theError.Error(), message)
-}
-
-// matchRegexp return true if a specified regexp matches a string.
-func matchRegexp(rx interface{}, str interface{}) bool {
-
-	var r *regexp.Regexp
-	if rr, ok := rx.(*regexp.Regexp); ok {
-		r = rr
-	} else {
-		r = regexp.MustCompile(fmt.Sprint(rx))
-	}
-
-	return (r.FindStringIndex(fmt.Sprint(str)) != nil)
-
-}
-
-// Regexp asserts that a specified regexp matches a string.
-//
-//  assert.Regexp(t, regexp.MustCompile("start"), "it's starting")
-//  assert.Regexp(t, "start...$", "it's not starting")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func Regexp(t TestingT, rx interface{}, str interface{}, msgAndArgs ...interface{}) bool {
-
-	match := matchRegexp(rx, str)
-
-	if !match {
-		Fail(t, fmt.Sprintf("Expect \"%v\" to match \"%v\"", str, rx), msgAndArgs...)
-	}
-
-	return match
-}
-
-// NotRegexp asserts that a specified regexp does not match a string.
-//
-//  assert.NotRegexp(t, regexp.MustCompile("starts"), "it's starting")
-//  assert.NotRegexp(t, "^start", "it's not starting")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func NotRegexp(t TestingT, rx interface{}, str interface{}, msgAndArgs ...interface{}) bool {
-	match := matchRegexp(rx, str)
-
-	if match {
-		Fail(t, fmt.Sprintf("Expect \"%v\" to NOT match \"%v\"", str, rx), msgAndArgs...)
-	}
-
-	return !match
-
-}
-
-// Zero asserts that i is the zero value for its type and returns the truth.
-func Zero(t TestingT, i interface{}, msgAndArgs ...interface{}) bool {
-	if i != nil && !reflect.DeepEqual(i, reflect.Zero(reflect.TypeOf(i)).Interface()) {
-		return Fail(t, fmt.Sprintf("Should be zero, but was %v", i), msgAndArgs...)
-	}
-	return true
-}
-
-// NotZero asserts that i is not the zero value for its type and returns the truth.
-func NotZero(t TestingT, i interface{}, msgAndArgs ...interface{}) bool {
-	if i == nil || reflect.DeepEqual(i, reflect.Zero(reflect.TypeOf(i)).Interface()) {
-		return Fail(t, fmt.Sprintf("Should not be zero, but was %v", i), msgAndArgs...)
-	}
-	return true
-}
-
-// JSONEq asserts that two JSON strings are equivalent.
-//
-//  assert.JSONEq(t, `{"hello": "world", "foo": "bar"}`, `{"foo": "bar", "hello": "world"}`)
-//
-// Returns whether the assertion was successful (true) or not (false).
-func JSONEq(t TestingT, expected string, actual string, msgAndArgs ...interface{}) bool {
-	var expectedJSONAsInterface, actualJSONAsInterface interface{}
-
-	if err := json.Unmarshal([]byte(expected), &expectedJSONAsInterface); err != nil {
-		return Fail(t, fmt.Sprintf("Expected value ('%s') is not valid json.\nJSON parsing error: '%s'", expected, err.Error()), msgAndArgs...)
-	}
-
-	if err := json.Unmarshal([]byte(actual), &actualJSONAsInterface); err != nil {
-		return Fail(t, fmt.Sprintf("Input ('%s') needs to be valid json.\nJSON parsing error: '%s'", actual, err.Error()), msgAndArgs...)
-	}
-
-	return Equal(t, expectedJSONAsInterface, actualJSONAsInterface, msgAndArgs...)
-}
-
-func typeAndKind(v interface{}) (reflect.Type, reflect.Kind) {
-	t := reflect.TypeOf(v)
-	k := t.Kind()
-
-	if k == reflect.Ptr {
-		t = t.Elem()
-		k = t.Kind()
-	}
-	return t, k
-}
-
-// diff returns a diff of both values as long as both are of the same type and
-// are a struct, map, slice or array. Otherwise it returns an empty string.
-func diff(expected interface{}, actual interface{}) string {
-	if expected == nil || actual == nil {
-		return ""
-	}
-
-	et, ek := typeAndKind(expected)
-	at, _ := typeAndKind(actual)
-
-	if et != at {
-		return ""
-	}
-
-	if ek != reflect.Struct && ek != reflect.Map && ek != reflect.Slice && ek != reflect.Array {
-		return ""
-	}
-
-	spew.Config.SortKeys = true
-	e := spew.Sdump(expected)
-	a := spew.Sdump(actual)
-
-	diff, _ := difflib.GetUnifiedDiffString(difflib.UnifiedDiff{
-		A:        difflib.SplitLines(e),
-		B:        difflib.SplitLines(a),
-		FromFile: "Expected",
-		FromDate: "",
-		ToFile:   "Actual",
-		ToDate:   "",
-		Context:  1,
-	})
-
-	return "\n\nDiff:\n" + diff
-}
diff --git a/vendor/github.com/stretchr/testify/assert/doc.go b/vendor/github.com/stretchr/testify/assert/doc.go
deleted file mode 100644
index c9dccc4..0000000
--- a/vendor/github.com/stretchr/testify/assert/doc.go
+++ /dev/null
@@ -1,45 +0,0 @@
-// Package assert provides a set of comprehensive testing tools for use with the normal Go testing system.
-//
-// Example Usage
-//
-// The following is a complete example using assert in a standard test function:
-//    import (
-//      "testing"
-//      "github.com/stretchr/testify/assert"
-//    )
-//
-//    func TestSomething(t *testing.T) {
-//
-//      var a string = "Hello"
-//      var b string = "Hello"
-//
-//      assert.Equal(t, a, b, "The two words should be the same.")
-//
-//    }
-//
-// if you assert many times, use the format below:
-//
-//    import (
-//      "testing"
-//      "github.com/stretchr/testify/assert"
-//    )
-//
-//    func TestSomething(t *testing.T) {
-//      assert := assert.New(t)
-//
-//      var a string = "Hello"
-//      var b string = "Hello"
-//
-//      assert.Equal(a, b, "The two words should be the same.")
-//    }
-//
-// Assertions
-//
-// Assertions allow you to easily write test code, and are global funcs in the `assert` package.
-// All assertion functions take, as the first argument, the `*testing.T` object provided by the
-// testing framework. This allows the assertion funcs to write the failings and other details to
-// the correct place.
-//
-// Every assertion function also takes an optional string message as the final argument,
-// allowing custom error messages to be appended to the message the assertion method outputs.
-package assert
diff --git a/vendor/github.com/stretchr/testify/assert/errors.go b/vendor/github.com/stretchr/testify/assert/errors.go
deleted file mode 100644
index ac9dc9d..0000000
--- a/vendor/github.com/stretchr/testify/assert/errors.go
+++ /dev/null
@@ -1,10 +0,0 @@
-package assert
-
-import (
-	"errors"
-)
-
-// AnError is an error instance useful for testing.  If the code does not care
-// about error specifics, and only needs to return the error for example, this
-// error should be used to make the test code more readable.
-var AnError = errors.New("assert.AnError general error for testing")
diff --git a/vendor/github.com/stretchr/testify/assert/forward_assertions.go b/vendor/github.com/stretchr/testify/assert/forward_assertions.go
deleted file mode 100644
index b867e95..0000000
--- a/vendor/github.com/stretchr/testify/assert/forward_assertions.go
+++ /dev/null
@@ -1,16 +0,0 @@
-package assert
-
-// Assertions provides assertion methods around the
-// TestingT interface.
-type Assertions struct {
-	t TestingT
-}
-
-// New makes a new Assertions object for the specified TestingT.
-func New(t TestingT) *Assertions {
-	return &Assertions{
-		t: t,
-	}
-}
-
-//go:generate go run ../_codegen/main.go -output-package=assert -template=assertion_forward.go.tmpl
diff --git a/vendor/github.com/stretchr/testify/assert/http_assertions.go b/vendor/github.com/stretchr/testify/assert/http_assertions.go
deleted file mode 100644
index e1b9442..0000000
--- a/vendor/github.com/stretchr/testify/assert/http_assertions.go
+++ /dev/null
@@ -1,106 +0,0 @@
-package assert
-
-import (
-	"fmt"
-	"net/http"
-	"net/http/httptest"
-	"net/url"
-	"strings"
-)
-
-// httpCode is a helper that returns HTTP code of the response. It returns -1
-// if building a new request fails.
-func httpCode(handler http.HandlerFunc, method, url string, values url.Values) int {
-	w := httptest.NewRecorder()
-	req, err := http.NewRequest(method, url+"?"+values.Encode(), nil)
-	if err != nil {
-		return -1
-	}
-	handler(w, req)
-	return w.Code
-}
-
-// HTTPSuccess asserts that a specified handler returns a success status code.
-//
-//  assert.HTTPSuccess(t, myHandler, "POST", "http://www.google.com", nil)
-//
-// Returns whether the assertion was successful (true) or not (false).
-func HTTPSuccess(t TestingT, handler http.HandlerFunc, method, url string, values url.Values) bool {
-	code := httpCode(handler, method, url, values)
-	if code == -1 {
-		return false
-	}
-	return code >= http.StatusOK && code <= http.StatusPartialContent
-}
-
-// HTTPRedirect asserts that a specified handler returns a redirect status code.
-//
-//  assert.HTTPRedirect(t, myHandler, "GET", "/a/b/c", url.Values{"a": []string{"b", "c"}}
-//
-// Returns whether the assertion was successful (true) or not (false).
-func HTTPRedirect(t TestingT, handler http.HandlerFunc, method, url string, values url.Values) bool {
-	code := httpCode(handler, method, url, values)
-	if code == -1 {
-		return false
-	}
-	return code >= http.StatusMultipleChoices && code <= http.StatusTemporaryRedirect
-}
-
-// HTTPError asserts that a specified handler returns an error status code.
-//
-//  assert.HTTPError(t, myHandler, "POST", "/a/b/c", url.Values{"a": []string{"b", "c"}}
-//
-// Returns whether the assertion was successful (true) or not (false).
-func HTTPError(t TestingT, handler http.HandlerFunc, method, url string, values url.Values) bool {
-	code := httpCode(handler, method, url, values)
-	if code == -1 {
-		return false
-	}
-	return code >= http.StatusBadRequest
-}
-
-// HTTPBody is a helper that returns HTTP body of the response. It returns
-// empty string if building a new request fails.
-func HTTPBody(handler http.HandlerFunc, method, url string, values url.Values) string {
-	w := httptest.NewRecorder()
-	req, err := http.NewRequest(method, url+"?"+values.Encode(), nil)
-	if err != nil {
-		return ""
-	}
-	handler(w, req)
-	return w.Body.String()
-}
-
-// HTTPBodyContains asserts that a specified handler returns a
-// body that contains a string.
-//
-//  assert.HTTPBodyContains(t, myHandler, "www.google.com", nil, "I'm Feeling Lucky")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func HTTPBodyContains(t TestingT, handler http.HandlerFunc, method, url string, values url.Values, str interface{}) bool {
-	body := HTTPBody(handler, method, url, values)
-
-	contains := strings.Contains(body, fmt.Sprint(str))
-	if !contains {
-		Fail(t, fmt.Sprintf("Expected response body for \"%s\" to contain \"%s\" but found \"%s\"", url+"?"+values.Encode(), str, body))
-	}
-
-	return contains
-}
-
-// HTTPBodyNotContains asserts that a specified handler returns a
-// body that does not contain a string.
-//
-//  assert.HTTPBodyNotContains(t, myHandler, "www.google.com", nil, "I'm Feeling Lucky")
-//
-// Returns whether the assertion was successful (true) or not (false).
-func HTTPBodyNotContains(t TestingT, handler http.HandlerFunc, method, url string, values url.Values, str interface{}) bool {
-	body := HTTPBody(handler, method, url, values)
-
-	contains := strings.Contains(body, fmt.Sprint(str))
-	if contains {
-		Fail(t, "Expected response body for %s to NOT contain \"%s\" but found \"%s\"", url+"?"+values.Encode(), str, body)
-	}
-
-	return !contains
-}
diff --git a/vendor/golang.org/x/tools/LICENSE b/vendor/golang.org/x/tools/LICENSE
deleted file mode 100644
index 6a66aea..0000000
--- a/vendor/golang.org/x/tools/LICENSE
+++ /dev/null
@@ -1,27 +0,0 @@
-Copyright (c) 2009 The Go Authors. All rights reserved.
-
-Redistribution and use in source and binary forms, with or without
-modification, are permitted provided that the following conditions are
-met:
-
-   * Redistributions of source code must retain the above copyright
-notice, this list of conditions and the following disclaimer.
-   * Redistributions in binary form must reproduce the above
-copyright notice, this list of conditions and the following disclaimer
-in the documentation and/or other materials provided with the
-distribution.
-   * Neither the name of Google Inc. nor the names of its
-contributors may be used to endorse or promote products derived from
-this software without specific prior written permission.
-
-THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS
-"AS IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT
-LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR
-A PARTICULAR PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT
-OWNER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL,
-SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT
-LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
-DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY
-THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
-(INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
-OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
diff --git a/vendor/golang.org/x/tools/PATENTS b/vendor/golang.org/x/tools/PATENTS
deleted file mode 100644
index 7330990..0000000
--- a/vendor/golang.org/x/tools/PATENTS
+++ /dev/null
@@ -1,22 +0,0 @@
-Additional IP Rights Grant (Patents)
-
-"This implementation" means the copyrightable works distributed by
-Google as part of the Go project.
-
-Google hereby grants to You a perpetual, worldwide, non-exclusive,
-no-charge, royalty-free, irrevocable (except as stated in this section)
-patent license to make, have made, use, offer to sell, sell, import,
-transfer and otherwise run, modify and propagate the contents of this
-implementation of Go, where such license applies only to those patent
-claims, both currently owned or controlled by Google and acquired in
-the future, licensable by Google that are necessarily infringed by this
-implementation of Go.  This grant does not include claims that would be
-infringed only as a consequence of further modification of this
-implementation.  If you or your agent or exclusive licensee institute or
-order or agree to the institution of patent litigation against any
-entity (including a cross-claim or counterclaim in a lawsuit) alleging
-that this implementation of Go or any code incorporated within this
-implementation of Go constitutes direct or contributory patent
-infringement, or inducement of patent infringement, then any patent
-rights granted to you under this License for this implementation of Go
-shall terminate as of the date such litigation is filed.
diff --git a/vendor/golang.org/x/tools/go/ast/astutil/enclosing.go b/vendor/golang.org/x/tools/go/ast/astutil/enclosing.go
deleted file mode 100644
index 6b7052b..0000000
--- a/vendor/golang.org/x/tools/go/ast/astutil/enclosing.go
+++ /dev/null
@@ -1,627 +0,0 @@
-// Copyright 2013 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-package astutil
-
-// This file defines utilities for working with source positions.
-
-import (
-	"fmt"
-	"go/ast"
-	"go/token"
-	"sort"
-)
-
-// PathEnclosingInterval returns the node that encloses the source
-// interval [start, end), and all its ancestors up to the AST root.
-//
-// The definition of "enclosing" used by this function considers
-// additional whitespace abutting a node to be enclosed by it.
-// In this example:
-//
-//              z := x + y // add them
-//                   <-A->
-//                  <----B----->
-//
-// the ast.BinaryExpr(+) node is considered to enclose interval B
-// even though its [Pos()..End()) is actually only interval A.
-// This behaviour makes user interfaces more tolerant of imperfect
-// input.
-//
-// This function treats tokens as nodes, though they are not included
-// in the result. e.g. PathEnclosingInterval("+") returns the
-// enclosing ast.BinaryExpr("x + y").
-//
-// If start==end, the 1-char interval following start is used instead.
-//
-// The 'exact' result is true if the interval contains only path[0]
-// and perhaps some adjacent whitespace.  It is false if the interval
-// overlaps multiple children of path[0], or if it contains only
-// interior whitespace of path[0].
-// In this example:
-//
-//              z := x + y // add them
-//                <--C-->     <---E-->
-//                  ^
-//                  D
-//
-// intervals C, D and E are inexact.  C is contained by the
-// z-assignment statement, because it spans three of its children (:=,
-// x, +).  So too is the 1-char interval D, because it contains only
-// interior whitespace of the assignment.  E is considered interior
-// whitespace of the BlockStmt containing the assignment.
-//
-// Precondition: [start, end) both lie within the same file as root.
-// TODO(adonovan): return (nil, false) in this case and remove precond.
-// Requires FileSet; see loader.tokenFileContainsPos.
-//
-// Postcondition: path is never nil; it always contains at least 'root'.
-//
-func PathEnclosingInterval(root *ast.File, start, end token.Pos) (path []ast.Node, exact bool) {
-	// fmt.Printf("EnclosingInterval %d %d\n", start, end) // debugging
-
-	// Precondition: node.[Pos..End) and adjoining whitespace contain [start, end).
-	var visit func(node ast.Node) bool
-	visit = func(node ast.Node) bool {
-		path = append(path, node)
-
-		nodePos := node.Pos()
-		nodeEnd := node.End()
-
-		// fmt.Printf("visit(%T, %d, %d)\n", node, nodePos, nodeEnd) // debugging
-
-		// Intersect [start, end) with interval of node.
-		if start < nodePos {
-			start = nodePos
-		}
-		if end > nodeEnd {
-			end = nodeEnd
-		}
-
-		// Find sole child that contains [start, end).
-		children := childrenOf(node)
-		l := len(children)
-		for i, child := range children {
-			// [childPos, childEnd) is unaugmented interval of child.
-			childPos := child.Pos()
-			childEnd := child.End()
-
-			// [augPos, augEnd) is whitespace-augmented interval of child.
-			augPos := childPos
-			augEnd := childEnd
-			if i > 0 {
-				augPos = children[i-1].End() // start of preceding whitespace
-			}
-			if i < l-1 {
-				nextChildPos := children[i+1].Pos()
-				// Does [start, end) lie between child and next child?
-				if start >= augEnd && end <= nextChildPos {
-					return false // inexact match
-				}
-				augEnd = nextChildPos // end of following whitespace
-			}
-
-			// fmt.Printf("\tchild %d: [%d..%d)\tcontains interval [%d..%d)?\n",
-			// 	i, augPos, augEnd, start, end) // debugging
-
-			// Does augmented child strictly contain [start, end)?
-			if augPos <= start && end <= augEnd {
-				_, isToken := child.(tokenNode)
-				return isToken || visit(child)
-			}
-
-			// Does [start, end) overlap multiple children?
-			// i.e. left-augmented child contains start
-			// but LR-augmented child does not contain end.
-			if start < childEnd && end > augEnd {
-				break
-			}
-		}
-
-		// No single child contained [start, end),
-		// so node is the result.  Is it exact?
-
-		// (It's tempting to put this condition before the
-		// child loop, but it gives the wrong result in the
-		// case where a node (e.g. ExprStmt) and its sole
-		// child have equal intervals.)
-		if start == nodePos && end == nodeEnd {
-			return true // exact match
-		}
-
-		return false // inexact: overlaps multiple children
-	}
-
-	if start > end {
-		start, end = end, start
-	}
-
-	if start < root.End() && end > root.Pos() {
-		if start == end {
-			end = start + 1 // empty interval => interval of size 1
-		}
-		exact = visit(root)
-
-		// Reverse the path:
-		for i, l := 0, len(path); i < l/2; i++ {
-			path[i], path[l-1-i] = path[l-1-i], path[i]
-		}
-	} else {
-		// Selection lies within whitespace preceding the
-		// first (or following the last) declaration in the file.
-		// The result nonetheless always includes the ast.File.
-		path = append(path, root)
-	}
-
-	return
-}
-
-// tokenNode is a dummy implementation of ast.Node for a single token.
-// They are used transiently by PathEnclosingInterval but never escape
-// this package.
-//
-type tokenNode struct {
-	pos token.Pos
-	end token.Pos
-}
-
-func (n tokenNode) Pos() token.Pos {
-	return n.pos
-}
-
-func (n tokenNode) End() token.Pos {
-	return n.end
-}
-
-func tok(pos token.Pos, len int) ast.Node {
-	return tokenNode{pos, pos + token.Pos(len)}
-}
-
-// childrenOf returns the direct non-nil children of ast.Node n.
-// It may include fake ast.Node implementations for bare tokens.
-// it is not safe to call (e.g.) ast.Walk on such nodes.
-//
-func childrenOf(n ast.Node) []ast.Node {
-	var children []ast.Node
-
-	// First add nodes for all true subtrees.
-	ast.Inspect(n, func(node ast.Node) bool {
-		if node == n { // push n
-			return true // recur
-		}
-		if node != nil { // push child
-			children = append(children, node)
-		}
-		return false // no recursion
-	})
-
-	// Then add fake Nodes for bare tokens.
-	switch n := n.(type) {
-	case *ast.ArrayType:
-		children = append(children,
-			tok(n.Lbrack, len("[")),
-			tok(n.Elt.End(), len("]")))
-
-	case *ast.AssignStmt:
-		children = append(children,
-			tok(n.TokPos, len(n.Tok.String())))
-
-	case *ast.BasicLit:
-		children = append(children,
-			tok(n.ValuePos, len(n.Value)))
-
-	case *ast.BinaryExpr:
-		children = append(children, tok(n.OpPos, len(n.Op.String())))
-
-	case *ast.BlockStmt:
-		children = append(children,
-			tok(n.Lbrace, len("{")),
-			tok(n.Rbrace, len("}")))
-
-	case *ast.BranchStmt:
-		children = append(children,
-			tok(n.TokPos, len(n.Tok.String())))
-
-	case *ast.CallExpr:
-		children = append(children,
-			tok(n.Lparen, len("(")),
-			tok(n.Rparen, len(")")))
-		if n.Ellipsis != 0 {
-			children = append(children, tok(n.Ellipsis, len("...")))
-		}
-
-	case *ast.CaseClause:
-		if n.List == nil {
-			children = append(children,
-				tok(n.Case, len("default")))
-		} else {
-			children = append(children,
-				tok(n.Case, len("case")))
-		}
-		children = append(children, tok(n.Colon, len(":")))
-
-	case *ast.ChanType:
-		switch n.Dir {
-		case ast.RECV:
-			children = append(children, tok(n.Begin, len("<-chan")))
-		case ast.SEND:
-			children = append(children, tok(n.Begin, len("chan<-")))
-		case ast.RECV | ast.SEND:
-			children = append(children, tok(n.Begin, len("chan")))
-		}
-
-	case *ast.CommClause:
-		if n.Comm == nil {
-			children = append(children,
-				tok(n.Case, len("default")))
-		} else {
-			children = append(children,
-				tok(n.Case, len("case")))
-		}
-		children = append(children, tok(n.Colon, len(":")))
-
-	case *ast.Comment:
-		// nop
-
-	case *ast.CommentGroup:
-		// nop
-
-	case *ast.CompositeLit:
-		children = append(children,
-			tok(n.Lbrace, len("{")),
-			tok(n.Rbrace, len("{")))
-
-	case *ast.DeclStmt:
-		// nop
-
-	case *ast.DeferStmt:
-		children = append(children,
-			tok(n.Defer, len("defer")))
-
-	case *ast.Ellipsis:
-		children = append(children,
-			tok(n.Ellipsis, len("...")))
-
-	case *ast.EmptyStmt:
-		// nop
-
-	case *ast.ExprStmt:
-		// nop
-
-	case *ast.Field:
-		// TODO(adonovan): Field.{Doc,Comment,Tag}?
-
-	case *ast.FieldList:
-		children = append(children,
-			tok(n.Opening, len("(")),
-			tok(n.Closing, len(")")))
-
-	case *ast.File:
-		// TODO test: Doc
-		children = append(children,
-			tok(n.Package, len("package")))
-
-	case *ast.ForStmt:
-		children = append(children,
-			tok(n.For, len("for")))
-
-	case *ast.FuncDecl:
-		// TODO(adonovan): FuncDecl.Comment?
-
-		// Uniquely, FuncDecl breaks the invariant that
-		// preorder traversal yields tokens in lexical order:
-		// in fact, FuncDecl.Recv precedes FuncDecl.Type.Func.
-		//
-		// As a workaround, we inline the case for FuncType
-		// here and order things correctly.
-		//
-		children = nil // discard ast.Walk(FuncDecl) info subtrees
-		children = append(children, tok(n.Type.Func, len("func")))
-		if n.Recv != nil {
-			children = append(children, n.Recv)
-		}
-		children = append(children, n.Name)
-		if n.Type.Params != nil {
-			children = append(children, n.Type.Params)
-		}
-		if n.Type.Results != nil {
-			children = append(children, n.Type.Results)
-		}
-		if n.Body != nil {
-			children = append(children, n.Body)
-		}
-
-	case *ast.FuncLit:
-		// nop
-
-	case *ast.FuncType:
-		if n.Func != 0 {
-			children = append(children,
-				tok(n.Func, len("func")))
-		}
-
-	case *ast.GenDecl:
-		children = append(children,
-			tok(n.TokPos, len(n.Tok.String())))
-		if n.Lparen != 0 {
-			children = append(children,
-				tok(n.Lparen, len("(")),
-				tok(n.Rparen, len(")")))
-		}
-
-	case *ast.GoStmt:
-		children = append(children,
-			tok(n.Go, len("go")))
-
-	case *ast.Ident:
-		children = append(children,
-			tok(n.NamePos, len(n.Name)))
-
-	case *ast.IfStmt:
-		children = append(children,
-			tok(n.If, len("if")))
-
-	case *ast.ImportSpec:
-		// TODO(adonovan): ImportSpec.{Doc,EndPos}?
-
-	case *ast.IncDecStmt:
-		children = append(children,
-			tok(n.TokPos, len(n.Tok.String())))
-
-	case *ast.IndexExpr:
-		children = append(children,
-			tok(n.Lbrack, len("{")),
-			tok(n.Rbrack, len("}")))
-
-	case *ast.InterfaceType:
-		children = append(children,
-			tok(n.Interface, len("interface")))
-
-	case *ast.KeyValueExpr:
-		children = append(children,
-			tok(n.Colon, len(":")))
-
-	case *ast.LabeledStmt:
-		children = append(children,
-			tok(n.Colon, len(":")))
-
-	case *ast.MapType:
-		children = append(children,
-			tok(n.Map, len("map")))
-
-	case *ast.ParenExpr:
-		children = append(children,
-			tok(n.Lparen, len("(")),
-			tok(n.Rparen, len(")")))
-
-	case *ast.RangeStmt:
-		children = append(children,
-			tok(n.For, len("for")),
-			tok(n.TokPos, len(n.Tok.String())))
-
-	case *ast.ReturnStmt:
-		children = append(children,
-			tok(n.Return, len("return")))
-
-	case *ast.SelectStmt:
-		children = append(children,
-			tok(n.Select, len("select")))
-
-	case *ast.SelectorExpr:
-		// nop
-
-	case *ast.SendStmt:
-		children = append(children,
-			tok(n.Arrow, len("<-")))
-
-	case *ast.SliceExpr:
-		children = append(children,
-			tok(n.Lbrack, len("[")),
-			tok(n.Rbrack, len("]")))
-
-	case *ast.StarExpr:
-		children = append(children, tok(n.Star, len("*")))
-
-	case *ast.StructType:
-		children = append(children, tok(n.Struct, len("struct")))
-
-	case *ast.SwitchStmt:
-		children = append(children, tok(n.Switch, len("switch")))
-
-	case *ast.TypeAssertExpr:
-		children = append(children,
-			tok(n.Lparen-1, len(".")),
-			tok(n.Lparen, len("(")),
-			tok(n.Rparen, len(")")))
-
-	case *ast.TypeSpec:
-		// TODO(adonovan): TypeSpec.{Doc,Comment}?
-
-	case *ast.TypeSwitchStmt:
-		children = append(children, tok(n.Switch, len("switch")))
-
-	case *ast.UnaryExpr:
-		children = append(children, tok(n.OpPos, len(n.Op.String())))
-
-	case *ast.ValueSpec:
-		// TODO(adonovan): ValueSpec.{Doc,Comment}?
-
-	case *ast.BadDecl, *ast.BadExpr, *ast.BadStmt:
-		// nop
-	}
-
-	// TODO(adonovan): opt: merge the logic of ast.Inspect() into
-	// the switch above so we can make interleaved callbacks for
-	// both Nodes and Tokens in the right order and avoid the need
-	// to sort.
-	sort.Sort(byPos(children))
-
-	return children
-}
-
-type byPos []ast.Node
-
-func (sl byPos) Len() int {
-	return len(sl)
-}
-func (sl byPos) Less(i, j int) bool {
-	return sl[i].Pos() < sl[j].Pos()
-}
-func (sl byPos) Swap(i, j int) {
-	sl[i], sl[j] = sl[j], sl[i]
-}
-
-// NodeDescription returns a description of the concrete type of n suitable
-// for a user interface.
-//
-// TODO(adonovan): in some cases (e.g. Field, FieldList, Ident,
-// StarExpr) we could be much more specific given the path to the AST
-// root.  Perhaps we should do that.
-//
-func NodeDescription(n ast.Node) string {
-	switch n := n.(type) {
-	case *ast.ArrayType:
-		return "array type"
-	case *ast.AssignStmt:
-		return "assignment"
-	case *ast.BadDecl:
-		return "bad declaration"
-	case *ast.BadExpr:
-		return "bad expression"
-	case *ast.BadStmt:
-		return "bad statement"
-	case *ast.BasicLit:
-		return "basic literal"
-	case *ast.BinaryExpr:
-		return fmt.Sprintf("binary %s operation", n.Op)
-	case *ast.BlockStmt:
-		return "block"
-	case *ast.BranchStmt:
-		switch n.Tok {
-		case token.BREAK:
-			return "break statement"
-		case token.CONTINUE:
-			return "continue statement"
-		case token.GOTO:
-			return "goto statement"
-		case token.FALLTHROUGH:
-			return "fall-through statement"
-		}
-	case *ast.CallExpr:
-		if len(n.Args) == 1 && !n.Ellipsis.IsValid() {
-			return "function call (or conversion)"
-		}
-		return "function call"
-	case *ast.CaseClause:
-		return "case clause"
-	case *ast.ChanType:
-		return "channel type"
-	case *ast.CommClause:
-		return "communication clause"
-	case *ast.Comment:
-		return "comment"
-	case *ast.CommentGroup:
-		return "comment group"
-	case *ast.CompositeLit:
-		return "composite literal"
-	case *ast.DeclStmt:
-		return NodeDescription(n.Decl) + " statement"
-	case *ast.DeferStmt:
-		return "defer statement"
-	case *ast.Ellipsis:
-		return "ellipsis"
-	case *ast.EmptyStmt:
-		return "empty statement"
-	case *ast.ExprStmt:
-		return "expression statement"
-	case *ast.Field:
-		// Can be any of these:
-		// struct {x, y int}  -- struct field(s)
-		// struct {T}         -- anon struct field
-		// interface {I}      -- interface embedding
-		// interface {f()}    -- interface method
-		// func (A) func(B) C -- receiver, param(s), result(s)
-		return "field/method/parameter"
-	case *ast.FieldList:
-		return "field/method/parameter list"
-	case *ast.File:
-		return "source file"
-	case *ast.ForStmt:
-		return "for loop"
-	case *ast.FuncDecl:
-		return "function declaration"
-	case *ast.FuncLit:
-		return "function literal"
-	case *ast.FuncType:
-		return "function type"
-	case *ast.GenDecl:
-		switch n.Tok {
-		case token.IMPORT:
-			return "import declaration"
-		case token.CONST:
-			return "constant declaration"
-		case token.TYPE:
-			return "type declaration"
-		case token.VAR:
-			return "variable declaration"
-		}
-	case *ast.GoStmt:
-		return "go statement"
-	case *ast.Ident:
-		return "identifier"
-	case *ast.IfStmt:
-		return "if statement"
-	case *ast.ImportSpec:
-		return "import specification"
-	case *ast.IncDecStmt:
-		if n.Tok == token.INC {
-			return "increment statement"
-		}
-		return "decrement statement"
-	case *ast.IndexExpr:
-		return "index expression"
-	case *ast.InterfaceType:
-		return "interface type"
-	case *ast.KeyValueExpr:
-		return "key/value association"
-	case *ast.LabeledStmt:
-		return "statement label"
-	case *ast.MapType:
-		return "map type"
-	case *ast.Package:
-		return "package"
-	case *ast.ParenExpr:
-		return "parenthesized " + NodeDescription(n.X)
-	case *ast.RangeStmt:
-		return "range loop"
-	case *ast.ReturnStmt:
-		return "return statement"
-	case *ast.SelectStmt:
-		return "select statement"
-	case *ast.SelectorExpr:
-		return "selector"
-	case *ast.SendStmt:
-		return "channel send"
-	case *ast.SliceExpr:
-		return "slice expression"
-	case *ast.StarExpr:
-		return "*-operation" // load/store expr or pointer type
-	case *ast.StructType:
-		return "struct type"
-	case *ast.SwitchStmt:
-		return "switch statement"
-	case *ast.TypeAssertExpr:
-		return "type assertion"
-	case *ast.TypeSpec:
-		return "type specification"
-	case *ast.TypeSwitchStmt:
-		return "type switch"
-	case *ast.UnaryExpr:
-		return fmt.Sprintf("unary %s operation", n.Op)
-	case *ast.ValueSpec:
-		return "value specification"
-
-	}
-	panic(fmt.Sprintf("unexpected node type: %T", n))
-}
diff --git a/vendor/golang.org/x/tools/go/ast/astutil/imports.go b/vendor/golang.org/x/tools/go/ast/astutil/imports.go
deleted file mode 100644
index a47bcfa..0000000
--- a/vendor/golang.org/x/tools/go/ast/astutil/imports.go
+++ /dev/null
@@ -1,400 +0,0 @@
-// Copyright 2013 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// Package astutil contains common utilities for working with the Go AST.
-package astutil
-
-import (
-	"fmt"
-	"go/ast"
-	"go/token"
-	"strconv"
-	"strings"
-)
-
-// AddImport adds the import path to the file f, if absent.
-func AddImport(fset *token.FileSet, f *ast.File, ipath string) (added bool) {
-	return AddNamedImport(fset, f, "", ipath)
-}
-
-// AddNamedImport adds the import path to the file f, if absent.
-// If name is not empty, it is used to rename the import.
-//
-// For example, calling
-//	AddNamedImport(fset, f, "pathpkg", "path")
-// adds
-//	import pathpkg "path"
-func AddNamedImport(fset *token.FileSet, f *ast.File, name, ipath string) (added bool) {
-	if imports(f, ipath) {
-		return false
-	}
-
-	newImport := &ast.ImportSpec{
-		Path: &ast.BasicLit{
-			Kind:  token.STRING,
-			Value: strconv.Quote(ipath),
-		},
-	}
-	if name != "" {
-		newImport.Name = &ast.Ident{Name: name}
-	}
-
-	// Find an import decl to add to.
-	// The goal is to find an existing import
-	// whose import path has the longest shared
-	// prefix with ipath.
-	var (
-		bestMatch  = -1         // length of longest shared prefix
-		lastImport = -1         // index in f.Decls of the file's final import decl
-		impDecl    *ast.GenDecl // import decl containing the best match
-		impIndex   = -1         // spec index in impDecl containing the best match
-	)
-	for i, decl := range f.Decls {
-		gen, ok := decl.(*ast.GenDecl)
-		if ok && gen.Tok == token.IMPORT {
-			lastImport = i
-			// Do not add to import "C", to avoid disrupting the
-			// association with its doc comment, breaking cgo.
-			if declImports(gen, "C") {
-				continue
-			}
-
-			// Match an empty import decl if that's all that is available.
-			if len(gen.Specs) == 0 && bestMatch == -1 {
-				impDecl = gen
-			}
-
-			// Compute longest shared prefix with imports in this group.
-			for j, spec := range gen.Specs {
-				impspec := spec.(*ast.ImportSpec)
-				n := matchLen(importPath(impspec), ipath)
-				if n > bestMatch {
-					bestMatch = n
-					impDecl = gen
-					impIndex = j
-				}
-			}
-		}
-	}
-
-	// If no import decl found, add one after the last import.
-	if impDecl == nil {
-		impDecl = &ast.GenDecl{
-			Tok: token.IMPORT,
-		}
-		if lastImport >= 0 {
-			impDecl.TokPos = f.Decls[lastImport].End()
-		} else {
-			// There are no existing imports.
-			// Our new import goes after the package declaration and after
-			// the comment, if any, that starts on the same line as the
-			// package declaration.
-			impDecl.TokPos = f.Package
-
-			file := fset.File(f.Package)
-			pkgLine := file.Line(f.Package)
-			for _, c := range f.Comments {
-				if file.Line(c.Pos()) > pkgLine {
-					break
-				}
-				impDecl.TokPos = c.End()
-			}
-		}
-		f.Decls = append(f.Decls, nil)
-		copy(f.Decls[lastImport+2:], f.Decls[lastImport+1:])
-		f.Decls[lastImport+1] = impDecl
-	}
-
-	// Insert new import at insertAt.
-	insertAt := 0
-	if impIndex >= 0 {
-		// insert after the found import
-		insertAt = impIndex + 1
-	}
-	impDecl.Specs = append(impDecl.Specs, nil)
-	copy(impDecl.Specs[insertAt+1:], impDecl.Specs[insertAt:])
-	impDecl.Specs[insertAt] = newImport
-	pos := impDecl.Pos()
-	if insertAt > 0 {
-		// If there is a comment after an existing import, preserve the comment
-		// position by adding the new import after the comment.
-		if spec, ok := impDecl.Specs[insertAt-1].(*ast.ImportSpec); ok && spec.Comment != nil {
-			pos = spec.Comment.End()
-		} else {
-			// Assign same position as the previous import,
-			// so that the sorter sees it as being in the same block.
-			pos = impDecl.Specs[insertAt-1].Pos()
-		}
-	}
-	if newImport.Name != nil {
-		newImport.Name.NamePos = pos
-	}
-	newImport.Path.ValuePos = pos
-	newImport.EndPos = pos
-
-	// Clean up parens. impDecl contains at least one spec.
-	if len(impDecl.Specs) == 1 {
-		// Remove unneeded parens.
-		impDecl.Lparen = token.NoPos
-	} else if !impDecl.Lparen.IsValid() {
-		// impDecl needs parens added.
-		impDecl.Lparen = impDecl.Specs[0].Pos()
-	}
-
-	f.Imports = append(f.Imports, newImport)
-
-	if len(f.Decls) <= 1 {
-		return true
-	}
-
-	// Merge all the import declarations into the first one.
-	var first *ast.GenDecl
-	for i, decl := range f.Decls {
-		gen, ok := decl.(*ast.GenDecl)
-		if !ok || gen.Tok != token.IMPORT || declImports(gen, "C") {
-			continue
-		}
-		if first == nil {
-			first = gen
-			continue // Don't touch the first one.
-		}
-		// Move the imports of the other import declaration to the first one.
-		for _, spec := range gen.Specs {
-			spec.(*ast.ImportSpec).Path.ValuePos = first.Pos()
-			first.Specs = append(first.Specs, spec)
-		}
-		f.Decls = append(f.Decls[:i], f.Decls[i+1:]...)
-	}
-
-	return true
-}
-
-// DeleteImport deletes the import path from the file f, if present.
-func DeleteImport(fset *token.FileSet, f *ast.File, path string) (deleted bool) {
-	return DeleteNamedImport(fset, f, "", path)
-}
-
-// DeleteNamedImport deletes the import with the given name and path from the file f, if present.
-func DeleteNamedImport(fset *token.FileSet, f *ast.File, name, path string) (deleted bool) {
-	var delspecs []*ast.ImportSpec
-
-	// Find the import nodes that import path, if any.
-	for i := 0; i < len(f.Decls); i++ {
-		decl := f.Decls[i]
-		gen, ok := decl.(*ast.GenDecl)
-		if !ok || gen.Tok != token.IMPORT {
-			continue
-		}
-		for j := 0; j < len(gen.Specs); j++ {
-			spec := gen.Specs[j]
-			impspec := spec.(*ast.ImportSpec)
-			if impspec.Name == nil && name != "" {
-				continue
-			}
-			if impspec.Name != nil && impspec.Name.Name != name {
-				continue
-			}
-			if importPath(impspec) != path {
-				continue
-			}
-
-			// We found an import spec that imports path.
-			// Delete it.
-			delspecs = append(delspecs, impspec)
-			deleted = true
-			copy(gen.Specs[j:], gen.Specs[j+1:])
-			gen.Specs = gen.Specs[:len(gen.Specs)-1]
-
-			// If this was the last import spec in this decl,
-			// delete the decl, too.
-			if len(gen.Specs) == 0 {
-				copy(f.Decls[i:], f.Decls[i+1:])
-				f.Decls = f.Decls[:len(f.Decls)-1]
-				i--
-				break
-			} else if len(gen.Specs) == 1 {
-				gen.Lparen = token.NoPos // drop parens
-			}
-			if j > 0 {
-				lastImpspec := gen.Specs[j-1].(*ast.ImportSpec)
-				lastLine := fset.Position(lastImpspec.Path.ValuePos).Line
-				line := fset.Position(impspec.Path.ValuePos).Line
-
-				// We deleted an entry but now there may be
-				// a blank line-sized hole where the import was.
-				if line-lastLine > 1 {
-					// There was a blank line immediately preceding the deleted import,
-					// so there's no need to close the hole.
-					// Do nothing.
-				} else {
-					// There was no blank line. Close the hole.
-					fset.File(gen.Rparen).MergeLine(line)
-				}
-			}
-			j--
-		}
-	}
-
-	// Delete them from f.Imports.
-	for i := 0; i < len(f.Imports); i++ {
-		imp := f.Imports[i]
-		for j, del := range delspecs {
-			if imp == del {
-				copy(f.Imports[i:], f.Imports[i+1:])
-				f.Imports = f.Imports[:len(f.Imports)-1]
-				copy(delspecs[j:], delspecs[j+1:])
-				delspecs = delspecs[:len(delspecs)-1]
-				i--
-				break
-			}
-		}
-	}
-
-	if len(delspecs) > 0 {
-		panic(fmt.Sprintf("deleted specs from Decls but not Imports: %v", delspecs))
-	}
-
-	return
-}
-
-// RewriteImport rewrites any import of path oldPath to path newPath.
-func RewriteImport(fset *token.FileSet, f *ast.File, oldPath, newPath string) (rewrote bool) {
-	for _, imp := range f.Imports {
-		if importPath(imp) == oldPath {
-			rewrote = true
-			// record old End, because the default is to compute
-			// it using the length of imp.Path.Value.
-			imp.EndPos = imp.End()
-			imp.Path.Value = strconv.Quote(newPath)
-		}
-	}
-	return
-}
-
-// UsesImport reports whether a given import is used.
-func UsesImport(f *ast.File, path string) (used bool) {
-	spec := importSpec(f, path)
-	if spec == nil {
-		return
-	}
-
-	name := spec.Name.String()
-	switch name {
-	case "<nil>":
-		// If the package name is not explicitly specified,
-		// make an educated guess. This is not guaranteed to be correct.
-		lastSlash := strings.LastIndex(path, "/")
-		if lastSlash == -1 {
-			name = path
-		} else {
-			name = path[lastSlash+1:]
-		}
-	case "_", ".":
-		// Not sure if this import is used - err on the side of caution.
-		return true
-	}
-
-	ast.Walk(visitFn(func(n ast.Node) {
-		sel, ok := n.(*ast.SelectorExpr)
-		if ok && isTopName(sel.X, name) {
-			used = true
-		}
-	}), f)
-
-	return
-}
-
-type visitFn func(node ast.Node)
-
-func (fn visitFn) Visit(node ast.Node) ast.Visitor {
-	fn(node)
-	return fn
-}
-
-// imports returns true if f imports path.
-func imports(f *ast.File, path string) bool {
-	return importSpec(f, path) != nil
-}
-
-// importSpec returns the import spec if f imports path,
-// or nil otherwise.
-func importSpec(f *ast.File, path string) *ast.ImportSpec {
-	for _, s := range f.Imports {
-		if importPath(s) == path {
-			return s
-		}
-	}
-	return nil
-}
-
-// importPath returns the unquoted import path of s,
-// or "" if the path is not properly quoted.
-func importPath(s *ast.ImportSpec) string {
-	t, err := strconv.Unquote(s.Path.Value)
-	if err == nil {
-		return t
-	}
-	return ""
-}
-
-// declImports reports whether gen contains an import of path.
-func declImports(gen *ast.GenDecl, path string) bool {
-	if gen.Tok != token.IMPORT {
-		return false
-	}
-	for _, spec := range gen.Specs {
-		impspec := spec.(*ast.ImportSpec)
-		if importPath(impspec) == path {
-			return true
-		}
-	}
-	return false
-}
-
-// matchLen returns the length of the longest path segment prefix shared by x and y.
-func matchLen(x, y string) int {
-	n := 0
-	for i := 0; i < len(x) && i < len(y) && x[i] == y[i]; i++ {
-		if x[i] == '/' {
-			n++
-		}
-	}
-	return n
-}
-
-// isTopName returns true if n is a top-level unresolved identifier with the given name.
-func isTopName(n ast.Expr, name string) bool {
-	id, ok := n.(*ast.Ident)
-	return ok && id.Name == name && id.Obj == nil
-}
-
-// Imports returns the file imports grouped by paragraph.
-func Imports(fset *token.FileSet, f *ast.File) [][]*ast.ImportSpec {
-	var groups [][]*ast.ImportSpec
-
-	for _, decl := range f.Decls {
-		genDecl, ok := decl.(*ast.GenDecl)
-		if !ok || genDecl.Tok != token.IMPORT {
-			break
-		}
-
-		group := []*ast.ImportSpec{}
-
-		var lastLine int
-		for _, spec := range genDecl.Specs {
-			importSpec := spec.(*ast.ImportSpec)
-			pos := importSpec.Path.ValuePos
-			line := fset.Position(pos).Line
-			if lastLine > 0 && pos > 0 && line-lastLine > 1 {
-				groups = append(groups, group)
-				group = []*ast.ImportSpec{}
-			}
-			group = append(group, importSpec)
-			lastLine = line
-		}
-		groups = append(groups, group)
-	}
-
-	return groups
-}
diff --git a/vendor/golang.org/x/tools/go/ast/astutil/util.go b/vendor/golang.org/x/tools/go/ast/astutil/util.go
deleted file mode 100644
index 7630629..0000000
--- a/vendor/golang.org/x/tools/go/ast/astutil/util.go
+++ /dev/null
@@ -1,14 +0,0 @@
-package astutil
-
-import "go/ast"
-
-// Unparen returns e with any enclosing parentheses stripped.
-func Unparen(e ast.Expr) ast.Expr {
-	for {
-		p, ok := e.(*ast.ParenExpr)
-		if !ok {
-			return e
-		}
-		e = p.X
-	}
-}
diff --git a/vendor/golang.org/x/tools/imports/fastwalk.go b/vendor/golang.org/x/tools/imports/fastwalk.go
deleted file mode 100644
index 157c792..0000000
--- a/vendor/golang.org/x/tools/imports/fastwalk.go
+++ /dev/null
@@ -1,172 +0,0 @@
-// Copyright 2016 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// A faster implementation of filepath.Walk.
-//
-// filepath.Walk's design necessarily calls os.Lstat on each file,
-// even if the caller needs less info. And goimports only need to know
-// the type of each file. The kernel interface provides the type in
-// the Readdir call but the standard library ignored it.
-// fastwalk_unix.go contains a fork of the syscall routines.
-//
-// See golang.org/issue/16399
-
-package imports
-
-import (
-	"errors"
-	"os"
-	"path/filepath"
-	"runtime"
-)
-
-// traverseLink is a sentinel error for fastWalk, similar to filepath.SkipDir.
-var traverseLink = errors.New("traverse symlink, assuming target is a directory")
-
-// fastWalk walks the file tree rooted at root, calling walkFn for
-// each file or directory in the tree, including root.
-//
-// If fastWalk returns filepath.SkipDir, the directory is skipped.
-//
-// Unlike filepath.Walk:
-//   * file stat calls must be done by the user.
-//     The only provided metadata is the file type, which does not include
-//     any permission bits.
-//   * multiple goroutines stat the filesystem concurrently. The provided
-//     walkFn must be safe for concurrent use.
-//   * fastWalk can follow symlinks if walkFn returns the traverseLink
-//     sentinel error. It is the walkFn's responsibility to prevent
-//     fastWalk from going into symlink cycles.
-func fastWalk(root string, walkFn func(path string, typ os.FileMode) error) error {
-	// TODO(bradfitz): make numWorkers configurable? We used a
-	// minimum of 4 to give the kernel more info about multiple
-	// things we want, in hopes its I/O scheduling can take
-	// advantage of that. Hopefully most are in cache. Maybe 4 is
-	// even too low of a minimum. Profile more.
-	numWorkers := 4
-	if n := runtime.NumCPU(); n > numWorkers {
-		numWorkers = n
-	}
-	w := &walker{
-		fn:       walkFn,
-		enqueuec: make(chan walkItem, numWorkers), // buffered for performance
-		workc:    make(chan walkItem, numWorkers), // buffered for performance
-		donec:    make(chan struct{}),
-
-		// buffered for correctness & not leaking goroutines:
-		resc: make(chan error, numWorkers),
-	}
-	defer close(w.donec)
-	// TODO(bradfitz): start the workers as needed? maybe not worth it.
-	for i := 0; i < numWorkers; i++ {
-		go w.doWork()
-	}
-	todo := []walkItem{{dir: root}}
-	out := 0
-	for {
-		workc := w.workc
-		var workItem walkItem
-		if len(todo) == 0 {
-			workc = nil
-		} else {
-			workItem = todo[len(todo)-1]
-		}
-		select {
-		case workc <- workItem:
-			todo = todo[:len(todo)-1]
-			out++
-		case it := <-w.enqueuec:
-			todo = append(todo, it)
-		case err := <-w.resc:
-			out--
-			if err != nil {
-				return err
-			}
-			if out == 0 && len(todo) == 0 {
-				// It's safe to quit here, as long as the buffered
-				// enqueue channel isn't also readable, which might
-				// happen if the worker sends both another unit of
-				// work and its result before the other select was
-				// scheduled and both w.resc and w.enqueuec were
-				// readable.
-				select {
-				case it := <-w.enqueuec:
-					todo = append(todo, it)
-				default:
-					return nil
-				}
-			}
-		}
-	}
-}
-
-// doWork reads directories as instructed (via workc) and runs the
-// user's callback function.
-func (w *walker) doWork() {
-	for {
-		select {
-		case <-w.donec:
-			return
-		case it := <-w.workc:
-			w.resc <- w.walk(it.dir, !it.callbackDone)
-		}
-	}
-}
-
-type walker struct {
-	fn func(path string, typ os.FileMode) error
-
-	donec    chan struct{} // closed on fastWalk's return
-	workc    chan walkItem // to workers
-	enqueuec chan walkItem // from workers
-	resc     chan error    // from workers
-}
-
-type walkItem struct {
-	dir          string
-	callbackDone bool // callback already called; don't do it again
-}
-
-func (w *walker) enqueue(it walkItem) {
-	select {
-	case w.enqueuec <- it:
-	case <-w.donec:
-	}
-}
-
-func (w *walker) onDirEnt(dirName, baseName string, typ os.FileMode) error {
-	joined := dirName + string(os.PathSeparator) + baseName
-	if typ == os.ModeDir {
-		w.enqueue(walkItem{dir: joined})
-		return nil
-	}
-
-	err := w.fn(joined, typ)
-	if typ == os.ModeSymlink {
-		if err == traverseLink {
-			// Set callbackDone so we don't call it twice for both the
-			// symlink-as-symlink and the symlink-as-directory later:
-			w.enqueue(walkItem{dir: joined, callbackDone: true})
-			return nil
-		}
-		if err == filepath.SkipDir {
-			// Permit SkipDir on symlinks too.
-			return nil
-		}
-	}
-	return err
-}
-func (w *walker) walk(root string, runUserCallback bool) error {
-	if runUserCallback {
-		err := w.fn(root, os.ModeDir)
-		if err == filepath.SkipDir {
-			return nil
-		}
-		if err != nil {
-			return err
-		}
-	}
-
-	return readDir(root, w.onDirEnt)
-}
diff --git a/vendor/golang.org/x/tools/imports/fastwalk_dirent_fileno.go b/vendor/golang.org/x/tools/imports/fastwalk_dirent_fileno.go
deleted file mode 100644
index f1fd649..0000000
--- a/vendor/golang.org/x/tools/imports/fastwalk_dirent_fileno.go
+++ /dev/null
@@ -1,13 +0,0 @@
-// Copyright 2016 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// +build freebsd openbsd netbsd
-
-package imports
-
-import "syscall"
-
-func direntInode(dirent *syscall.Dirent) uint64 {
-	return uint64(dirent.Fileno)
-}
diff --git a/vendor/golang.org/x/tools/imports/fastwalk_dirent_ino.go b/vendor/golang.org/x/tools/imports/fastwalk_dirent_ino.go
deleted file mode 100644
index 32fe71b..0000000
--- a/vendor/golang.org/x/tools/imports/fastwalk_dirent_ino.go
+++ /dev/null
@@ -1,13 +0,0 @@
-// Copyright 2016 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// +build linux darwin
-
-package imports
-
-import "syscall"
-
-func direntInode(dirent *syscall.Dirent) uint64 {
-	return uint64(dirent.Ino)
-}
diff --git a/vendor/golang.org/x/tools/imports/fastwalk_portable.go b/vendor/golang.org/x/tools/imports/fastwalk_portable.go
deleted file mode 100644
index 996c2c2..0000000
--- a/vendor/golang.org/x/tools/imports/fastwalk_portable.go
+++ /dev/null
@@ -1,29 +0,0 @@
-// Copyright 2016 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// +build !linux,!darwin,!freebsd,!openbsd,!netbsd
-
-package imports
-
-import (
-	"io/ioutil"
-	"os"
-)
-
-// readDir calls fn for each directory entry in dirName.
-// It does not descend into directories or follow symlinks.
-// If fn returns a non-nil error, readDir returns with that error
-// immediately.
-func readDir(dirName string, fn func(dirName, entName string, typ os.FileMode) error) error {
-	fis, err := ioutil.ReadDir(dirName)
-	if err != nil {
-		return err
-	}
-	for _, fi := range fis {
-		if err := fn(dirName, fi.Name(), fi.Mode()&os.ModeType); err != nil {
-			return err
-		}
-	}
-	return nil
-}
diff --git a/vendor/golang.org/x/tools/imports/fastwalk_unix.go b/vendor/golang.org/x/tools/imports/fastwalk_unix.go
deleted file mode 100644
index 2449523..0000000
--- a/vendor/golang.org/x/tools/imports/fastwalk_unix.go
+++ /dev/null
@@ -1,122 +0,0 @@
-// Copyright 2016 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// +build linux darwin freebsd openbsd netbsd
-
-package imports
-
-import (
-	"bytes"
-	"fmt"
-	"os"
-	"syscall"
-	"unsafe"
-)
-
-const blockSize = 8 << 10
-
-// unknownFileMode is a sentinel (and bogus) os.FileMode
-// value used to represent a syscall.DT_UNKNOWN Dirent.Type.
-const unknownFileMode os.FileMode = os.ModeNamedPipe | os.ModeSocket | os.ModeDevice
-
-func readDir(dirName string, fn func(dirName, entName string, typ os.FileMode) error) error {
-	fd, err := syscall.Open(dirName, 0, 0)
-	if err != nil {
-		return err
-	}
-	defer syscall.Close(fd)
-
-	// The buffer must be at least a block long.
-	buf := make([]byte, blockSize) // stack-allocated; doesn't escape
-	bufp := 0                      // starting read position in buf
-	nbuf := 0                      // end valid data in buf
-	for {
-		if bufp >= nbuf {
-			bufp = 0
-			nbuf, err = syscall.ReadDirent(fd, buf)
-			if err != nil {
-				return os.NewSyscallError("readdirent", err)
-			}
-			if nbuf <= 0 {
-				return nil
-			}
-		}
-		consumed, name, typ := parseDirEnt(buf[bufp:nbuf])
-		bufp += consumed
-		if name == "" || name == "." || name == ".." {
-			continue
-		}
-		// Fallback for filesystems (like old XFS) that don't
-		// support Dirent.Type and have DT_UNKNOWN (0) there
-		// instead.
-		if typ == unknownFileMode {
-			fi, err := os.Lstat(dirName + "/" + name)
-			if err != nil {
-				// It got deleted in the meantime.
-				if os.IsNotExist(err) {
-					continue
-				}
-				return err
-			}
-			typ = fi.Mode() & os.ModeType
-		}
-		if err := fn(dirName, name, typ); err != nil {
-			return err
-		}
-	}
-}
-
-func parseDirEnt(buf []byte) (consumed int, name string, typ os.FileMode) {
-	// golang.org/issue/15653
-	dirent := (*syscall.Dirent)(unsafe.Pointer(&buf[0]))
-	if v := unsafe.Offsetof(dirent.Reclen) + unsafe.Sizeof(dirent.Reclen); uintptr(len(buf)) < v {
-		panic(fmt.Sprintf("buf size of %d smaller than dirent header size %d", len(buf), v))
-	}
-	if len(buf) < int(dirent.Reclen) {
-		panic(fmt.Sprintf("buf size %d < record length %d", len(buf), dirent.Reclen))
-	}
-	consumed = int(dirent.Reclen)
-	if direntInode(dirent) == 0 { // File absent in directory.
-		return
-	}
-	switch dirent.Type {
-	case syscall.DT_REG:
-		typ = 0
-	case syscall.DT_DIR:
-		typ = os.ModeDir
-	case syscall.DT_LNK:
-		typ = os.ModeSymlink
-	case syscall.DT_BLK:
-		typ = os.ModeDevice
-	case syscall.DT_FIFO:
-		typ = os.ModeNamedPipe
-	case syscall.DT_SOCK:
-		typ = os.ModeSocket
-	case syscall.DT_UNKNOWN:
-		typ = unknownFileMode
-	default:
-		// Skip weird things.
-		// It's probably a DT_WHT (http://lwn.net/Articles/325369/)
-		// or something. Revisit if/when this package is moved outside
-		// of goimports. goimports only cares about regular files,
-		// symlinks, and directories.
-		return
-	}
-
-	nameBuf := (*[unsafe.Sizeof(dirent.Name)]byte)(unsafe.Pointer(&dirent.Name[0]))
-	nameLen := bytes.IndexByte(nameBuf[:], 0)
-	if nameLen < 0 {
-		panic("failed to find terminating 0 byte in dirent")
-	}
-
-	// Special cases for common things:
-	if nameLen == 1 && nameBuf[0] == '.' {
-		name = "."
-	} else if nameLen == 2 && nameBuf[0] == '.' && nameBuf[1] == '.' {
-		name = ".."
-	} else {
-		name = string(nameBuf[:nameLen])
-	}
-	return
-}
diff --git a/vendor/golang.org/x/tools/imports/fix.go b/vendor/golang.org/x/tools/imports/fix.go
deleted file mode 100644
index 4d7dfeb..0000000
--- a/vendor/golang.org/x/tools/imports/fix.go
+++ /dev/null
@@ -1,900 +0,0 @@
-// Copyright 2013 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-package imports
-
-import (
-	"bufio"
-	"bytes"
-	"fmt"
-	"go/ast"
-	"go/build"
-	"go/parser"
-	"go/token"
-	"io/ioutil"
-	"log"
-	"os"
-	"path"
-	"path/filepath"
-	"sort"
-	"strings"
-	"sync"
-
-	"golang.org/x/tools/go/ast/astutil"
-)
-
-// Debug controls verbose logging.
-var Debug = false
-
-var (
-	inTests = false      // set true by fix_test.go; if false, no need to use testMu
-	testMu  sync.RWMutex // guards globals reset by tests; used only if inTests
-)
-
-// If set, LocalPrefix instructs Process to sort import paths with the given
-// prefix into another group after 3rd-party packages.
-var LocalPrefix string
-
-// importToGroup is a list of functions which map from an import path to
-// a group number.
-var importToGroup = []func(importPath string) (num int, ok bool){
-	func(importPath string) (num int, ok bool) {
-		if LocalPrefix != "" && strings.HasPrefix(importPath, LocalPrefix) {
-			return 3, true
-		}
-		return
-	},
-	func(importPath string) (num int, ok bool) {
-		if strings.HasPrefix(importPath, "appengine") {
-			return 2, true
-		}
-		return
-	},
-	func(importPath string) (num int, ok bool) {
-		if strings.Contains(importPath, ".") {
-			return 1, true
-		}
-		return
-	},
-}
-
-func importGroup(importPath string) int {
-	for _, fn := range importToGroup {
-		if n, ok := fn(importPath); ok {
-			return n
-		}
-	}
-	return 0
-}
-
-func fixImports(fset *token.FileSet, f *ast.File, filename string) (added []string, err error) {
-	// refs are a set of possible package references currently unsatisfied by imports.
-	// first key: either base package (e.g. "fmt") or renamed package
-	// second key: referenced package symbol (e.g. "Println")
-	refs := make(map[string]map[string]bool)
-
-	// decls are the current package imports. key is base package or renamed package.
-	decls := make(map[string]*ast.ImportSpec)
-
-	abs, err := filepath.Abs(filename)
-	if err != nil {
-		return nil, err
-	}
-	srcDir := filepath.Dir(abs)
-	if Debug {
-		log.Printf("fixImports(filename=%q), abs=%q, srcDir=%q ...", filename, abs, srcDir)
-	}
-
-	// collect potential uses of packages.
-	var visitor visitFn
-	visitor = visitFn(func(node ast.Node) ast.Visitor {
-		if node == nil {
-			return visitor
-		}
-		switch v := node.(type) {
-		case *ast.ImportSpec:
-			if v.Name != nil {
-				decls[v.Name.Name] = v
-				break
-			}
-			ipath := strings.Trim(v.Path.Value, `"`)
-			if ipath == "C" {
-				break
-			}
-			local := importPathToName(ipath, srcDir)
-			decls[local] = v
-		case *ast.SelectorExpr:
-			xident, ok := v.X.(*ast.Ident)
-			if !ok {
-				break
-			}
-			if xident.Obj != nil {
-				// if the parser can resolve it, it's not a package ref
-				break
-			}
-			pkgName := xident.Name
-			if refs[pkgName] == nil {
-				refs[pkgName] = make(map[string]bool)
-			}
-			if decls[pkgName] == nil {
-				refs[pkgName][v.Sel.Name] = true
-			}
-		}
-		return visitor
-	})
-	ast.Walk(visitor, f)
-
-	// Nil out any unused ImportSpecs, to be removed in following passes
-	unusedImport := map[string]string{}
-	for pkg, is := range decls {
-		if refs[pkg] == nil && pkg != "_" && pkg != "." {
-			name := ""
-			if is.Name != nil {
-				name = is.Name.Name
-			}
-			unusedImport[strings.Trim(is.Path.Value, `"`)] = name
-		}
-	}
-	for ipath, name := range unusedImport {
-		if ipath == "C" {
-			// Don't remove cgo stuff.
-			continue
-		}
-		astutil.DeleteNamedImport(fset, f, name, ipath)
-	}
-
-	for pkgName, symbols := range refs {
-		if len(symbols) == 0 {
-			// skip over packages already imported
-			delete(refs, pkgName)
-		}
-	}
-
-	// Search for imports matching potential package references.
-	searches := 0
-	type result struct {
-		ipath string // import path (if err == nil)
-		name  string // optional name to rename import as
-		err   error
-	}
-	results := make(chan result)
-	for pkgName, symbols := range refs {
-		go func(pkgName string, symbols map[string]bool) {
-			ipath, rename, err := findImport(pkgName, symbols, filename)
-			r := result{ipath: ipath, err: err}
-			if rename {
-				r.name = pkgName
-			}
-			results <- r
-		}(pkgName, symbols)
-		searches++
-	}
-	for i := 0; i < searches; i++ {
-		result := <-results
-		if result.err != nil {
-			return nil, result.err
-		}
-		if result.ipath != "" {
-			if result.name != "" {
-				astutil.AddNamedImport(fset, f, result.name, result.ipath)
-			} else {
-				astutil.AddImport(fset, f, result.ipath)
-			}
-			added = append(added, result.ipath)
-		}
-	}
-
-	return added, nil
-}
-
-// importPathToName returns the package name for the given import path.
-var importPathToName func(importPath, srcDir string) (packageName string) = importPathToNameGoPath
-
-// importPathToNameBasic assumes the package name is the base of import path.
-func importPathToNameBasic(importPath, srcDir string) (packageName string) {
-	return path.Base(importPath)
-}
-
-// importPathToNameGoPath finds out the actual package name, as declared in its .go files.
-// If there's a problem, it falls back to using importPathToNameBasic.
-func importPathToNameGoPath(importPath, srcDir string) (packageName string) {
-	// Fast path for standard library without going to disk.
-	if pkg, ok := stdImportPackage[importPath]; ok {
-		return pkg
-	}
-
-	pkgName, err := importPathToNameGoPathParse(importPath, srcDir)
-	if Debug {
-		log.Printf("importPathToNameGoPathParse(%q, srcDir=%q) = %q, %v", importPath, srcDir, pkgName, err)
-	}
-	if err == nil {
-		return pkgName
-	}
-	return importPathToNameBasic(importPath, srcDir)
-}
-
-// importPathToNameGoPathParse is a faster version of build.Import if
-// the only thing desired is the package name. It uses build.FindOnly
-// to find the directory and then only parses one file in the package,
-// trusting that the files in the directory are consistent.
-func importPathToNameGoPathParse(importPath, srcDir string) (packageName string, err error) {
-	buildPkg, err := build.Import(importPath, srcDir, build.FindOnly)
-	if err != nil {
-		return "", err
-	}
-	d, err := os.Open(buildPkg.Dir)
-	if err != nil {
-		return "", err
-	}
-	names, err := d.Readdirnames(-1)
-	d.Close()
-	if err != nil {
-		return "", err
-	}
-	sort.Strings(names) // to have predictable behavior
-	var lastErr error
-	var nfile int
-	for _, name := range names {
-		if !strings.HasSuffix(name, ".go") {
-			continue
-		}
-		if strings.HasSuffix(name, "_test.go") {
-			continue
-		}
-		nfile++
-		fullFile := filepath.Join(buildPkg.Dir, name)
-
-		fset := token.NewFileSet()
-		f, err := parser.ParseFile(fset, fullFile, nil, parser.PackageClauseOnly)
-		if err != nil {
-			lastErr = err
-			continue
-		}
-		pkgName := f.Name.Name
-		if pkgName == "documentation" {
-			// Special case from go/build.ImportDir, not
-			// handled by ctx.MatchFile.
-			continue
-		}
-		if pkgName == "main" {
-			// Also skip package main, assuming it's a +build ignore generator or example.
-			// Since you can't import a package main anyway, there's no harm here.
-			continue
-		}
-		return pkgName, nil
-	}
-	if lastErr != nil {
-		return "", lastErr
-	}
-	return "", fmt.Errorf("no importable package found in %d Go files", nfile)
-}
-
-var stdImportPackage = map[string]string{} // "net/http" => "http"
-
-func init() {
-	// Nothing in the standard library has a package name not
-	// matching its import base name.
-	for _, pkg := range stdlib {
-		if _, ok := stdImportPackage[pkg]; !ok {
-			stdImportPackage[pkg] = path.Base(pkg)
-		}
-	}
-}
-
-// Directory-scanning state.
-var (
-	// scanGoRootOnce guards calling scanGoRoot (for $GOROOT)
-	scanGoRootOnce sync.Once
-	// scanGoPathOnce guards calling scanGoPath (for $GOPATH)
-	scanGoPathOnce sync.Once
-
-	// populateIgnoreOnce guards calling populateIgnore
-	populateIgnoreOnce sync.Once
-	ignoredDirs        []os.FileInfo
-
-	dirScanMu sync.RWMutex
-	dirScan   map[string]*pkg // abs dir path => *pkg
-)
-
-type pkg struct {
-	dir             string // absolute file path to pkg directory ("/usr/lib/go/src/net/http")
-	importPath      string // full pkg import path ("net/http", "foo/bar/vendor/a/b")
-	importPathShort string // vendorless import path ("net/http", "a/b")
-}
-
-// byImportPathShortLength sorts by the short import path length, breaking ties on the
-// import string itself.
-type byImportPathShortLength []*pkg
-
-func (s byImportPathShortLength) Len() int { return len(s) }
-func (s byImportPathShortLength) Less(i, j int) bool {
-	vi, vj := s[i].importPathShort, s[j].importPathShort
-	return len(vi) < len(vj) || (len(vi) == len(vj) && vi < vj)
-
-}
-func (s byImportPathShortLength) Swap(i, j int) { s[i], s[j] = s[j], s[i] }
-
-// gate is a semaphore for limiting concurrency.
-type gate chan struct{}
-
-func (g gate) enter() { g <- struct{}{} }
-func (g gate) leave() { <-g }
-
-var visitedSymlinks struct {
-	sync.Mutex
-	m map[string]struct{}
-}
-
-// guarded by populateIgnoreOnce; populates ignoredDirs.
-func populateIgnore() {
-	for _, srcDir := range build.Default.SrcDirs() {
-		if srcDir == filepath.Join(build.Default.GOROOT, "src") {
-			continue
-		}
-		populateIgnoredDirs(srcDir)
-	}
-}
-
-// populateIgnoredDirs reads an optional config file at <path>/.goimportsignore
-// of relative directories to ignore when scanning for go files.
-// The provided path is one of the $GOPATH entries with "src" appended.
-func populateIgnoredDirs(path string) {
-	file := filepath.Join(path, ".goimportsignore")
-	slurp, err := ioutil.ReadFile(file)
-	if Debug {
-		if err != nil {
-			log.Print(err)
-		} else {
-			log.Printf("Read %s", file)
-		}
-	}
-	if err != nil {
-		return
-	}
-	bs := bufio.NewScanner(bytes.NewReader(slurp))
-	for bs.Scan() {
-		line := strings.TrimSpace(bs.Text())
-		if line == "" || strings.HasPrefix(line, "#") {
-			continue
-		}
-		full := filepath.Join(path, line)
-		if fi, err := os.Stat(full); err == nil {
-			ignoredDirs = append(ignoredDirs, fi)
-			if Debug {
-				log.Printf("Directory added to ignore list: %s", full)
-			}
-		} else if Debug {
-			log.Printf("Error statting entry in .goimportsignore: %v", err)
-		}
-	}
-}
-
-func skipDir(fi os.FileInfo) bool {
-	for _, ignoredDir := range ignoredDirs {
-		if os.SameFile(fi, ignoredDir) {
-			return true
-		}
-	}
-	return false
-}
-
-// shouldTraverse reports whether the symlink fi should, found in dir,
-// should be followed.  It makes sure symlinks were never visited
-// before to avoid symlink loops.
-func shouldTraverse(dir string, fi os.FileInfo) bool {
-	path := filepath.Join(dir, fi.Name())
-	target, err := filepath.EvalSymlinks(path)
-	if err != nil {
-		if !os.IsNotExist(err) {
-			fmt.Fprintln(os.Stderr, err)
-		}
-		return false
-	}
-	ts, err := os.Stat(target)
-	if err != nil {
-		fmt.Fprintln(os.Stderr, err)
-		return false
-	}
-	if !ts.IsDir() {
-		return false
-	}
-
-	realParent, err := filepath.EvalSymlinks(dir)
-	if err != nil {
-		fmt.Fprint(os.Stderr, err)
-		return false
-	}
-	realPath := filepath.Join(realParent, fi.Name())
-	visitedSymlinks.Lock()
-	defer visitedSymlinks.Unlock()
-	if visitedSymlinks.m == nil {
-		visitedSymlinks.m = make(map[string]struct{})
-	}
-	if _, ok := visitedSymlinks.m[realPath]; ok {
-		return false
-	}
-	visitedSymlinks.m[realPath] = struct{}{}
-	return true
-}
-
-var testHookScanDir = func(dir string) {}
-
-var scanGoRootDone = make(chan struct{}) // closed when scanGoRoot is done
-
-func scanGoRoot() {
-	go func() {
-		scanGoDirs(true)
-		close(scanGoRootDone)
-	}()
-}
-
-func scanGoPath() { scanGoDirs(false) }
-
-func scanGoDirs(goRoot bool) {
-	if Debug {
-		which := "$GOROOT"
-		if !goRoot {
-			which = "$GOPATH"
-		}
-		log.Printf("scanning " + which)
-		defer log.Printf("scanned " + which)
-	}
-	dirScanMu.Lock()
-	if dirScan == nil {
-		dirScan = make(map[string]*pkg)
-	}
-	dirScanMu.Unlock()
-
-	for _, srcDir := range build.Default.SrcDirs() {
-		isGoroot := srcDir == filepath.Join(build.Default.GOROOT, "src")
-		if isGoroot != goRoot {
-			continue
-		}
-		testHookScanDir(srcDir)
-		walkFn := func(path string, typ os.FileMode) error {
-			dir := filepath.Dir(path)
-			if typ.IsRegular() {
-				if dir == srcDir {
-					// Doesn't make sense to have regular files
-					// directly in your $GOPATH/src or $GOROOT/src.
-					return nil
-				}
-				if !strings.HasSuffix(path, ".go") {
-					return nil
-				}
-				dirScanMu.Lock()
-				if _, dup := dirScan[dir]; !dup {
-					importpath := filepath.ToSlash(dir[len(srcDir)+len("/"):])
-					dirScan[dir] = &pkg{
-						importPath:      importpath,
-						importPathShort: vendorlessImportPath(importpath),
-						dir:             dir,
-					}
-				}
-				dirScanMu.Unlock()
-				return nil
-			}
-			if typ == os.ModeDir {
-				base := filepath.Base(path)
-				if base == "" || base[0] == '.' || base[0] == '_' ||
-					base == "testdata" || base == "node_modules" {
-					return filepath.SkipDir
-				}
-				fi, err := os.Lstat(path)
-				if err == nil && skipDir(fi) {
-					if Debug {
-						log.Printf("skipping directory %q under %s", fi.Name(), dir)
-					}
-					return filepath.SkipDir
-				}
-				return nil
-			}
-			if typ == os.ModeSymlink {
-				base := filepath.Base(path)
-				if strings.HasPrefix(base, ".#") {
-					// Emacs noise.
-					return nil
-				}
-				fi, err := os.Lstat(path)
-				if err != nil {
-					// Just ignore it.
-					return nil
-				}
-				if shouldTraverse(dir, fi) {
-					return traverseLink
-				}
-			}
-			return nil
-		}
-		if err := fastWalk(srcDir, walkFn); err != nil {
-			log.Printf("goimports: scanning directory %v: %v", srcDir, err)
-		}
-	}
-}
-
-// vendorlessImportPath returns the devendorized version of the provided import path.
-// e.g. "foo/bar/vendor/a/b" => "a/b"
-func vendorlessImportPath(ipath string) string {
-	// Devendorize for use in import statement.
-	if i := strings.LastIndex(ipath, "/vendor/"); i >= 0 {
-		return ipath[i+len("/vendor/"):]
-	}
-	if strings.HasPrefix(ipath, "vendor/") {
-		return ipath[len("vendor/"):]
-	}
-	return ipath
-}
-
-// loadExports returns the set of exported symbols in the package at dir.
-// It returns nil on error or if the package name in dir does not match expectPackage.
-var loadExports func(expectPackage, dir string) map[string]bool = loadExportsGoPath
-
-func loadExportsGoPath(expectPackage, dir string) map[string]bool {
-	if Debug {
-		log.Printf("loading exports in dir %s (seeking package %s)", dir, expectPackage)
-	}
-	exports := make(map[string]bool)
-
-	ctx := build.Default
-
-	// ReadDir is like ioutil.ReadDir, but only returns *.go files
-	// and filters out _test.go files since they're not relevant
-	// and only slow things down.
-	ctx.ReadDir = func(dir string) (notTests []os.FileInfo, err error) {
-		all, err := ioutil.ReadDir(dir)
-		if err != nil {
-			return nil, err
-		}
-		notTests = all[:0]
-		for _, fi := range all {
-			name := fi.Name()
-			if strings.HasSuffix(name, ".go") && !strings.HasSuffix(name, "_test.go") {
-				notTests = append(notTests, fi)
-			}
-		}
-		return notTests, nil
-	}
-
-	files, err := ctx.ReadDir(dir)
-	if err != nil {
-		log.Print(err)
-		return nil
-	}
-
-	fset := token.NewFileSet()
-
-	for _, fi := range files {
-		match, err := ctx.MatchFile(dir, fi.Name())
-		if err != nil || !match {
-			continue
-		}
-		fullFile := filepath.Join(dir, fi.Name())
-		f, err := parser.ParseFile(fset, fullFile, nil, 0)
-		if err != nil {
-			if Debug {
-				log.Printf("Parsing %s: %v", fullFile, err)
-			}
-			return nil
-		}
-		pkgName := f.Name.Name
-		if pkgName == "documentation" {
-			// Special case from go/build.ImportDir, not
-			// handled by ctx.MatchFile.
-			continue
-		}
-		if pkgName != expectPackage {
-			if Debug {
-				log.Printf("scan of dir %v is not expected package %v (actually %v)", dir, expectPackage, pkgName)
-			}
-			return nil
-		}
-		for name := range f.Scope.Objects {
-			if ast.IsExported(name) {
-				exports[name] = true
-			}
-		}
-	}
-
-	if Debug {
-		exportList := make([]string, 0, len(exports))
-		for k := range exports {
-			exportList = append(exportList, k)
-		}
-		sort.Strings(exportList)
-		log.Printf("loaded exports in dir %v (package %v): %v", dir, expectPackage, strings.Join(exportList, ", "))
-	}
-	return exports
-}
-
-// findImport searches for a package with the given symbols.
-// If no package is found, findImport returns ("", false, nil)
-//
-// This is declared as a variable rather than a function so goimports
-// can be easily extended by adding a file with an init function.
-//
-// The rename value tells goimports whether to use the package name as
-// a local qualifier in an import. For example, if findImports("pkg",
-// "X") returns ("foo/bar", rename=true), then goimports adds the
-// import line:
-// 	import pkg "foo/bar"
-// to satisfy uses of pkg.X in the file.
-var findImport func(pkgName string, symbols map[string]bool, filename string) (foundPkg string, rename bool, err error) = findImportGoPath
-
-// findImportGoPath is the normal implementation of findImport.
-// (Some companies have their own internally.)
-func findImportGoPath(pkgName string, symbols map[string]bool, filename string) (foundPkg string, rename bool, err error) {
-	if inTests {
-		testMu.RLock()
-		defer testMu.RUnlock()
-	}
-
-	// Fast path for the standard library.
-	// In the common case we hopefully never have to scan the GOPATH, which can
-	// be slow with moving disks.
-	if pkg, rename, ok := findImportStdlib(pkgName, symbols); ok {
-		return pkg, rename, nil
-	}
-	if pkgName == "rand" && symbols["Read"] {
-		// Special-case rand.Read.
-		//
-		// If findImportStdlib didn't find it above, don't go
-		// searching for it, lest it find and pick math/rand
-		// in GOROOT (new as of Go 1.6)
-		//
-		// crypto/rand is the safer choice.
-		return "", false, nil
-	}
-
-	// TODO(sameer): look at the import lines for other Go files in the
-	// local directory, since the user is likely to import the same packages
-	// in the current Go file.  Return rename=true when the other Go files
-	// use a renamed package that's also used in the current file.
-
-	// Read all the $GOPATH/src/.goimportsignore files before scanning directories.
-	populateIgnoreOnce.Do(populateIgnore)
-
-	// Start scanning the $GOROOT asynchronously, then run the
-	// GOPATH scan synchronously if needed, and then wait for the
-	// $GOROOT to finish.
-	//
-	// TODO(bradfitz): run each $GOPATH entry async. But nobody
-	// really has more than one anyway, so low priority.
-	scanGoRootOnce.Do(scanGoRoot) // async
-	if !strings.HasPrefix(filename, build.Default.GOROOT) {
-		scanGoPathOnce.Do(scanGoPath) // blocking
-	}
-	<-scanGoRootDone
-
-	// Find candidate packages, looking only at their directory names first.
-	var candidates []*pkg
-	for _, pkg := range dirScan {
-		if pkgIsCandidate(filename, pkgName, pkg) {
-			candidates = append(candidates, pkg)
-		}
-	}
-
-	// Sort the candidates by their import package length,
-	// assuming that shorter package names are better than long
-	// ones.  Note that this sorts by the de-vendored name, so
-	// there's no "penalty" for vendoring.
-	sort.Sort(byImportPathShortLength(candidates))
-	if Debug {
-		for i, pkg := range candidates {
-			log.Printf("%s candidate %d/%d: %v", pkgName, i+1, len(candidates), pkg.importPathShort)
-		}
-	}
-
-	// Collect exports for packages with matching names.
-
-	done := make(chan struct{}) // closed when we find the answer
-	defer close(done)
-
-	rescv := make([]chan *pkg, len(candidates))
-	for i := range candidates {
-		rescv[i] = make(chan *pkg)
-	}
-	const maxConcurrentPackageImport = 4
-	loadExportsSem := make(chan struct{}, maxConcurrentPackageImport)
-
-	go func() {
-		for i, pkg := range candidates {
-			select {
-			case loadExportsSem <- struct{}{}:
-				select {
-				case <-done:
-				default:
-				}
-			case <-done:
-				return
-			}
-			pkg := pkg
-			resc := rescv[i]
-			go func() {
-				if inTests {
-					testMu.RLock()
-					defer testMu.RUnlock()
-				}
-				defer func() { <-loadExportsSem }()
-				exports := loadExports(pkgName, pkg.dir)
-
-				// If it doesn't have the right
-				// symbols, send nil to mean no match.
-				for symbol := range symbols {
-					if !exports[symbol] {
-						pkg = nil
-						break
-					}
-				}
-				select {
-				case resc <- pkg:
-				case <-done:
-				}
-			}()
-		}
-	}()
-	for _, resc := range rescv {
-		pkg := <-resc
-		if pkg == nil {
-			continue
-		}
-		// If the package name in the source doesn't match the import path's base,
-		// return true so the rewriter adds a name (import foo "github.com/bar/go-foo")
-		needsRename := path.Base(pkg.importPath) != pkgName
-		return pkg.importPathShort, needsRename, nil
-	}
-	return "", false, nil
-}
-
-// pkgIsCandidate reports whether pkg is a candidate for satisfying the
-// finding which package pkgIdent in the file named by filename is trying
-// to refer to.
-//
-// This check is purely lexical and is meant to be as fast as possible
-// because it's run over all $GOPATH directories to filter out poor
-// candidates in order to limit the CPU and I/O later parsing the
-// exports in candidate packages.
-//
-// filename is the file being formatted.
-// pkgIdent is the package being searched for, like "client" (if
-// searching for "client.New")
-func pkgIsCandidate(filename, pkgIdent string, pkg *pkg) bool {
-	// Check "internal" and "vendor" visibility:
-	if !canUse(filename, pkg.dir) {
-		return false
-	}
-
-	// Speed optimization to minimize disk I/O:
-	// the last two components on disk must contain the
-	// package name somewhere.
-	//
-	// This permits mismatch naming like directory
-	// "go-foo" being package "foo", or "pkg.v3" being "pkg",
-	// or directory "google.golang.org/api/cloudbilling/v1"
-	// being package "cloudbilling", but doesn't
-	// permit a directory "foo" to be package
-	// "bar", which is strongly discouraged
-	// anyway. There's no reason goimports needs
-	// to be slow just to accomodate that.
-	lastTwo := lastTwoComponents(pkg.importPathShort)
-	if strings.Contains(lastTwo, pkgIdent) {
-		return true
-	}
-	if hasHyphenOrUpperASCII(lastTwo) && !hasHyphenOrUpperASCII(pkgIdent) {
-		lastTwo = lowerASCIIAndRemoveHyphen(lastTwo)
-		if strings.Contains(lastTwo, pkgIdent) {
-			return true
-		}
-	}
-
-	return false
-}
-
-func hasHyphenOrUpperASCII(s string) bool {
-	for i := 0; i < len(s); i++ {
-		b := s[i]
-		if b == '-' || ('A' <= b && b <= 'Z') {
-			return true
-		}
-	}
-	return false
-}
-
-func lowerASCIIAndRemoveHyphen(s string) (ret string) {
-	buf := make([]byte, 0, len(s))
-	for i := 0; i < len(s); i++ {
-		b := s[i]
-		switch {
-		case b == '-':
-			continue
-		case 'A' <= b && b <= 'Z':
-			buf = append(buf, b+('a'-'A'))
-		default:
-			buf = append(buf, b)
-		}
-	}
-	return string(buf)
-}
-
-// canUse reports whether the package in dir is usable from filename,
-// respecting the Go "internal" and "vendor" visibility rules.
-func canUse(filename, dir string) bool {
-	// Fast path check, before any allocations. If it doesn't contain vendor
-	// or internal, it's not tricky:
-	// Note that this can false-negative on directories like "notinternal",
-	// but we check it correctly below. This is just a fast path.
-	if !strings.Contains(dir, "vendor") && !strings.Contains(dir, "internal") {
-		return true
-	}
-
-	dirSlash := filepath.ToSlash(dir)
-	if !strings.Contains(dirSlash, "/vendor/") && !strings.Contains(dirSlash, "/internal/") && !strings.HasSuffix(dirSlash, "/internal") {
-		return true
-	}
-	// Vendor or internal directory only visible from children of parent.
-	// That means the path from the current directory to the target directory
-	// can contain ../vendor or ../internal but not ../foo/vendor or ../foo/internal
-	// or bar/vendor or bar/internal.
-	// After stripping all the leading ../, the only okay place to see vendor or internal
-	// is at the very beginning of the path.
-	absfile, err := filepath.Abs(filename)
-	if err != nil {
-		return false
-	}
-	absdir, err := filepath.Abs(dir)
-	if err != nil {
-		return false
-	}
-	rel, err := filepath.Rel(absfile, absdir)
-	if err != nil {
-		return false
-	}
-	relSlash := filepath.ToSlash(rel)
-	if i := strings.LastIndex(relSlash, "../"); i >= 0 {
-		relSlash = relSlash[i+len("../"):]
-	}
-	return !strings.Contains(relSlash, "/vendor/") && !strings.Contains(relSlash, "/internal/") && !strings.HasSuffix(relSlash, "/internal")
-}
-
-// lastTwoComponents returns at most the last two path components
-// of v, using either / or \ as the path separator.
-func lastTwoComponents(v string) string {
-	nslash := 0
-	for i := len(v) - 1; i >= 0; i-- {
-		if v[i] == '/' || v[i] == '\\' {
-			nslash++
-			if nslash == 2 {
-				return v[i:]
-			}
-		}
-	}
-	return v
-}
-
-type visitFn func(node ast.Node) ast.Visitor
-
-func (fn visitFn) Visit(node ast.Node) ast.Visitor {
-	return fn(node)
-}
-
-func findImportStdlib(shortPkg string, symbols map[string]bool) (importPath string, rename, ok bool) {
-	for symbol := range symbols {
-		key := shortPkg + "." + symbol
-		path := stdlib[key]
-		if path == "" {
-			if key == "rand.Read" {
-				continue
-			}
-			return "", false, false
-		}
-		if importPath != "" && importPath != path {
-			// Ambiguous. Symbols pointed to different things.
-			return "", false, false
-		}
-		importPath = path
-	}
-	if importPath == "" && shortPkg == "rand" && symbols["Read"] {
-		return "crypto/rand", false, true
-	}
-	return importPath, false, importPath != ""
-}
diff --git a/vendor/golang.org/x/tools/imports/imports.go b/vendor/golang.org/x/tools/imports/imports.go
deleted file mode 100644
index 7c6c1b6..0000000
--- a/vendor/golang.org/x/tools/imports/imports.go
+++ /dev/null
@@ -1,289 +0,0 @@
-// Copyright 2013 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-//go:generate go run mkstdlib.go
-
-// Package imports implements a Go pretty-printer (like package "go/format")
-// that also adds or removes import statements as necessary.
-package imports
-
-import (
-	"bufio"
-	"bytes"
-	"fmt"
-	"go/ast"
-	"go/format"
-	"go/parser"
-	"go/printer"
-	"go/token"
-	"io"
-	"regexp"
-	"strconv"
-	"strings"
-
-	"golang.org/x/tools/go/ast/astutil"
-)
-
-// Options specifies options for processing files.
-type Options struct {
-	Fragment  bool // Accept fragment of a source file (no package statement)
-	AllErrors bool // Report all errors (not just the first 10 on different lines)
-
-	Comments  bool // Print comments (true if nil *Options provided)
-	TabIndent bool // Use tabs for indent (true if nil *Options provided)
-	TabWidth  int  // Tab width (8 if nil *Options provided)
-
-	FormatOnly bool // Disable the insertion and deletion of imports
-}
-
-// Process formats and adjusts imports for the provided file.
-// If opt is nil the defaults are used.
-//
-// Note that filename's directory influences which imports can be chosen,
-// so it is important that filename be accurate.
-// To process data ``as if'' it were in filename, pass the data as a non-nil src.
-func Process(filename string, src []byte, opt *Options) ([]byte, error) {
-	if opt == nil {
-		opt = &Options{Comments: true, TabIndent: true, TabWidth: 8}
-	}
-
-	fileSet := token.NewFileSet()
-	file, adjust, err := parse(fileSet, filename, src, opt)
-	if err != nil {
-		return nil, err
-	}
-
-	if !opt.FormatOnly {
-		_, err = fixImports(fileSet, file, filename)
-		if err != nil {
-			return nil, err
-		}
-	}
-
-	sortImports(fileSet, file)
-	imps := astutil.Imports(fileSet, file)
-
-	var spacesBefore []string // import paths we need spaces before
-	for _, impSection := range imps {
-		// Within each block of contiguous imports, see if any
-		// import lines are in different group numbers. If so,
-		// we'll need to put a space between them so it's
-		// compatible with gofmt.
-		lastGroup := -1
-		for _, importSpec := range impSection {
-			importPath, _ := strconv.Unquote(importSpec.Path.Value)
-			groupNum := importGroup(importPath)
-			if groupNum != lastGroup && lastGroup != -1 {
-				spacesBefore = append(spacesBefore, importPath)
-			}
-			lastGroup = groupNum
-		}
-
-	}
-
-	printerMode := printer.UseSpaces
-	if opt.TabIndent {
-		printerMode |= printer.TabIndent
-	}
-	printConfig := &printer.Config{Mode: printerMode, Tabwidth: opt.TabWidth}
-
-	var buf bytes.Buffer
-	err = printConfig.Fprint(&buf, fileSet, file)
-	if err != nil {
-		return nil, err
-	}
-	out := buf.Bytes()
-	if adjust != nil {
-		out = adjust(src, out)
-	}
-	if len(spacesBefore) > 0 {
-		out = addImportSpaces(bytes.NewReader(out), spacesBefore)
-	}
-
-	out, err = format.Source(out)
-	if err != nil {
-		return nil, err
-	}
-	return out, nil
-}
-
-// parse parses src, which was read from filename,
-// as a Go source file or statement list.
-func parse(fset *token.FileSet, filename string, src []byte, opt *Options) (*ast.File, func(orig, src []byte) []byte, error) {
-	parserMode := parser.Mode(0)
-	if opt.Comments {
-		parserMode |= parser.ParseComments
-	}
-	if opt.AllErrors {
-		parserMode |= parser.AllErrors
-	}
-
-	// Try as whole source file.
-	file, err := parser.ParseFile(fset, filename, src, parserMode)
-	if err == nil {
-		return file, nil, nil
-	}
-	// If the error is that the source file didn't begin with a
-	// package line and we accept fragmented input, fall through to
-	// try as a source fragment.  Stop and return on any other error.
-	if !opt.Fragment || !strings.Contains(err.Error(), "expected 'package'") {
-		return nil, nil, err
-	}
-
-	// If this is a declaration list, make it a source file
-	// by inserting a package clause.
-	// Insert using a ;, not a newline, so that the line numbers
-	// in psrc match the ones in src.
-	psrc := append([]byte("package main;"), src...)
-	file, err = parser.ParseFile(fset, filename, psrc, parserMode)
-	if err == nil {
-		// If a main function exists, we will assume this is a main
-		// package and leave the file.
-		if containsMainFunc(file) {
-			return file, nil, nil
-		}
-
-		adjust := func(orig, src []byte) []byte {
-			// Remove the package clause.
-			// Gofmt has turned the ; into a \n.
-			src = src[len("package main\n"):]
-			return matchSpace(orig, src)
-		}
-		return file, adjust, nil
-	}
-	// If the error is that the source file didn't begin with a
-	// declaration, fall through to try as a statement list.
-	// Stop and return on any other error.
-	if !strings.Contains(err.Error(), "expected declaration") {
-		return nil, nil, err
-	}
-
-	// If this is a statement list, make it a source file
-	// by inserting a package clause and turning the list
-	// into a function body.  This handles expressions too.
-	// Insert using a ;, not a newline, so that the line numbers
-	// in fsrc match the ones in src.
-	fsrc := append(append([]byte("package p; func _() {"), src...), '}')
-	file, err = parser.ParseFile(fset, filename, fsrc, parserMode)
-	if err == nil {
-		adjust := func(orig, src []byte) []byte {
-			// Remove the wrapping.
-			// Gofmt has turned the ; into a \n\n.
-			src = src[len("package p\n\nfunc _() {"):]
-			src = src[:len(src)-len("}\n")]
-			// Gofmt has also indented the function body one level.
-			// Remove that indent.
-			src = bytes.Replace(src, []byte("\n\t"), []byte("\n"), -1)
-			return matchSpace(orig, src)
-		}
-		return file, adjust, nil
-	}
-
-	// Failed, and out of options.
-	return nil, nil, err
-}
-
-// containsMainFunc checks if a file contains a function declaration with the
-// function signature 'func main()'
-func containsMainFunc(file *ast.File) bool {
-	for _, decl := range file.Decls {
-		if f, ok := decl.(*ast.FuncDecl); ok {
-			if f.Name.Name != "main" {
-				continue
-			}
-
-			if len(f.Type.Params.List) != 0 {
-				continue
-			}
-
-			if f.Type.Results != nil && len(f.Type.Results.List) != 0 {
-				continue
-			}
-
-			return true
-		}
-	}
-
-	return false
-}
-
-func cutSpace(b []byte) (before, middle, after []byte) {
-	i := 0
-	for i < len(b) && (b[i] == ' ' || b[i] == '\t' || b[i] == '\n') {
-		i++
-	}
-	j := len(b)
-	for j > 0 && (b[j-1] == ' ' || b[j-1] == '\t' || b[j-1] == '\n') {
-		j--
-	}
-	if i <= j {
-		return b[:i], b[i:j], b[j:]
-	}
-	return nil, nil, b[j:]
-}
-
-// matchSpace reformats src to use the same space context as orig.
-// 1) If orig begins with blank lines, matchSpace inserts them at the beginning of src.
-// 2) matchSpace copies the indentation of the first non-blank line in orig
-//    to every non-blank line in src.
-// 3) matchSpace copies the trailing space from orig and uses it in place
-//   of src's trailing space.
-func matchSpace(orig []byte, src []byte) []byte {
-	before, _, after := cutSpace(orig)
-	i := bytes.LastIndex(before, []byte{'\n'})
-	before, indent := before[:i+1], before[i+1:]
-
-	_, src, _ = cutSpace(src)
-
-	var b bytes.Buffer
-	b.Write(before)
-	for len(src) > 0 {
-		line := src
-		if i := bytes.IndexByte(line, '\n'); i >= 0 {
-			line, src = line[:i+1], line[i+1:]
-		} else {
-			src = nil
-		}
-		if len(line) > 0 && line[0] != '\n' { // not blank
-			b.Write(indent)
-		}
-		b.Write(line)
-	}
-	b.Write(after)
-	return b.Bytes()
-}
-
-var impLine = regexp.MustCompile(`^\s+(?:[\w\.]+\s+)?"(.+)"`)
-
-func addImportSpaces(r io.Reader, breaks []string) []byte {
-	var out bytes.Buffer
-	sc := bufio.NewScanner(r)
-	inImports := false
-	done := false
-	for sc.Scan() {
-		s := sc.Text()
-
-		if !inImports && !done && strings.HasPrefix(s, "import") {
-			inImports = true
-		}
-		if inImports && (strings.HasPrefix(s, "var") ||
-			strings.HasPrefix(s, "func") ||
-			strings.HasPrefix(s, "const") ||
-			strings.HasPrefix(s, "type")) {
-			done = true
-			inImports = false
-		}
-		if inImports && len(breaks) > 0 {
-			if m := impLine.FindStringSubmatch(s); m != nil {
-				if m[1] == string(breaks[0]) {
-					out.WriteByte('\n')
-					breaks = breaks[1:]
-				}
-			}
-		}
-
-		fmt.Fprintln(&out, s)
-	}
-	return out.Bytes()
-}
diff --git a/vendor/golang.org/x/tools/imports/mkindex.go b/vendor/golang.org/x/tools/imports/mkindex.go
deleted file mode 100644
index 755e239..0000000
--- a/vendor/golang.org/x/tools/imports/mkindex.go
+++ /dev/null
@@ -1,173 +0,0 @@
-// +build ignore
-
-// Copyright 2013 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// Command mkindex creates the file "pkgindex.go" containing an index of the Go
-// standard library. The file is intended to be built as part of the imports
-// package, so that the package may be used in environments where a GOROOT is
-// not available (such as App Engine).
-package main
-
-import (
-	"bytes"
-	"fmt"
-	"go/ast"
-	"go/build"
-	"go/format"
-	"go/parser"
-	"go/token"
-	"io/ioutil"
-	"log"
-	"os"
-	"path"
-	"path/filepath"
-	"strings"
-)
-
-var (
-	pkgIndex = make(map[string][]pkg)
-	exports  = make(map[string]map[string]bool)
-)
-
-func main() {
-	// Don't use GOPATH.
-	ctx := build.Default
-	ctx.GOPATH = ""
-
-	// Populate pkgIndex global from GOROOT.
-	for _, path := range ctx.SrcDirs() {
-		f, err := os.Open(path)
-		if err != nil {
-			log.Print(err)
-			continue
-		}
-		children, err := f.Readdir(-1)
-		f.Close()
-		if err != nil {
-			log.Print(err)
-			continue
-		}
-		for _, child := range children {
-			if child.IsDir() {
-				loadPkg(path, child.Name())
-			}
-		}
-	}
-	// Populate exports global.
-	for _, ps := range pkgIndex {
-		for _, p := range ps {
-			e := loadExports(p.dir)
-			if e != nil {
-				exports[p.dir] = e
-			}
-		}
-	}
-
-	// Construct source file.
-	var buf bytes.Buffer
-	fmt.Fprint(&buf, pkgIndexHead)
-	fmt.Fprintf(&buf, "var pkgIndexMaster = %#v\n", pkgIndex)
-	fmt.Fprintf(&buf, "var exportsMaster = %#v\n", exports)
-	src := buf.Bytes()
-
-	// Replace main.pkg type name with pkg.
-	src = bytes.Replace(src, []byte("main.pkg"), []byte("pkg"), -1)
-	// Replace actual GOROOT with "/go".
-	src = bytes.Replace(src, []byte(ctx.GOROOT), []byte("/go"), -1)
-	// Add some line wrapping.
-	src = bytes.Replace(src, []byte("}, "), []byte("},\n"), -1)
-	src = bytes.Replace(src, []byte("true, "), []byte("true,\n"), -1)
-
-	var err error
-	src, err = format.Source(src)
-	if err != nil {
-		log.Fatal(err)
-	}
-
-	// Write out source file.
-	err = ioutil.WriteFile("pkgindex.go", src, 0644)
-	if err != nil {
-		log.Fatal(err)
-	}
-}
-
-const pkgIndexHead = `package imports
-
-func init() {
-	pkgIndexOnce.Do(func() {
-		pkgIndex.m = pkgIndexMaster
-	})
-	loadExports = func(dir string) map[string]bool {
-		return exportsMaster[dir]
-	}
-}
-`
-
-type pkg struct {
-	importpath string // full pkg import path, e.g. "net/http"
-	dir        string // absolute file path to pkg directory e.g. "/usr/lib/go/src/fmt"
-}
-
-var fset = token.NewFileSet()
-
-func loadPkg(root, importpath string) {
-	shortName := path.Base(importpath)
-	if shortName == "testdata" {
-		return
-	}
-
-	dir := filepath.Join(root, importpath)
-	pkgIndex[shortName] = append(pkgIndex[shortName], pkg{
-		importpath: importpath,
-		dir:        dir,
-	})
-
-	pkgDir, err := os.Open(dir)
-	if err != nil {
-		return
-	}
-	children, err := pkgDir.Readdir(-1)
-	pkgDir.Close()
-	if err != nil {
-		return
-	}
-	for _, child := range children {
-		name := child.Name()
-		if name == "" {
-			continue
-		}
-		if c := name[0]; c == '.' || ('0' <= c && c <= '9') {
-			continue
-		}
-		if child.IsDir() {
-			loadPkg(root, filepath.Join(importpath, name))
-		}
-	}
-}
-
-func loadExports(dir string) map[string]bool {
-	exports := make(map[string]bool)
-	buildPkg, err := build.ImportDir(dir, 0)
-	if err != nil {
-		if strings.Contains(err.Error(), "no buildable Go source files in") {
-			return nil
-		}
-		log.Printf("could not import %q: %v", dir, err)
-		return nil
-	}
-	for _, file := range buildPkg.GoFiles {
-		f, err := parser.ParseFile(fset, filepath.Join(dir, file), nil, 0)
-		if err != nil {
-			log.Printf("could not parse %q: %v", file, err)
-			continue
-		}
-		for name := range f.Scope.Objects {
-			if ast.IsExported(name) {
-				exports[name] = true
-			}
-		}
-	}
-	return exports
-}
diff --git a/vendor/golang.org/x/tools/imports/mkstdlib.go b/vendor/golang.org/x/tools/imports/mkstdlib.go
deleted file mode 100644
index 62f3321..0000000
--- a/vendor/golang.org/x/tools/imports/mkstdlib.go
+++ /dev/null
@@ -1,102 +0,0 @@
-// +build ignore
-
-// mkstdlib generates the zstdlib.go file, containing the Go standard
-// library API symbols. It's baked into the binary to avoid scanning
-// GOPATH in the common case.
-package main
-
-import (
-	"bufio"
-	"bytes"
-	"fmt"
-	"go/format"
-	"io"
-	"io/ioutil"
-	"log"
-	"os"
-	"path"
-	"path/filepath"
-	"regexp"
-	"sort"
-	"strings"
-)
-
-func mustOpen(name string) io.Reader {
-	f, err := os.Open(name)
-	if err != nil {
-		log.Fatal(err)
-	}
-	return f
-}
-
-func api(base string) string {
-	return filepath.Join(os.Getenv("GOROOT"), "api", base)
-}
-
-var sym = regexp.MustCompile(`^pkg (\S+).*?, (?:var|func|type|const) ([A-Z]\w*)`)
-
-func main() {
-	var buf bytes.Buffer
-	outf := func(format string, args ...interface{}) {
-		fmt.Fprintf(&buf, format, args...)
-	}
-	outf("// AUTO-GENERATED BY mkstdlib.go\n\n")
-	outf("package imports\n")
-	outf("var stdlib = map[string]string{\n")
-	f := io.MultiReader(
-		mustOpen(api("go1.txt")),
-		mustOpen(api("go1.1.txt")),
-		mustOpen(api("go1.2.txt")),
-		mustOpen(api("go1.3.txt")),
-		mustOpen(api("go1.4.txt")),
-		mustOpen(api("go1.5.txt")),
-		mustOpen(api("go1.6.txt")),
-	)
-	sc := bufio.NewScanner(f)
-	fullImport := map[string]string{} // "zip.NewReader" => "archive/zip"
-	ambiguous := map[string]bool{}
-	var keys []string
-	for sc.Scan() {
-		l := sc.Text()
-		has := func(v string) bool { return strings.Contains(l, v) }
-		if has("struct, ") || has("interface, ") || has(", method (") {
-			continue
-		}
-		if m := sym.FindStringSubmatch(l); m != nil {
-			full := m[1]
-			key := path.Base(full) + "." + m[2]
-			if exist, ok := fullImport[key]; ok {
-				if exist != full {
-					ambiguous[key] = true
-				}
-			} else {
-				fullImport[key] = full
-				keys = append(keys, key)
-			}
-		}
-	}
-	if err := sc.Err(); err != nil {
-		log.Fatal(err)
-	}
-	sort.Strings(keys)
-	for _, key := range keys {
-		if ambiguous[key] {
-			outf("\t// %q is ambiguous\n", key)
-		} else {
-			outf("\t%q: %q,\n", key, fullImport[key])
-		}
-	}
-	outf("\n")
-	for _, sym := range [...]string{"Alignof", "ArbitraryType", "Offsetof", "Pointer", "Sizeof"} {
-		outf("\t%q: %q,\n", "unsafe."+sym, "unsafe")
-	}
-	outf("}\n")
-	fmtbuf, err := format.Source(buf.Bytes())
-	if err != nil {
-		log.Fatal(err)
-	}
-	err = ioutil.WriteFile("zstdlib.go", fmtbuf, 0666)
-	if err != nil {
-		log.Fatal(err)
-	}
-}
diff --git a/vendor/golang.org/x/tools/imports/sortimports.go b/vendor/golang.org/x/tools/imports/sortimports.go
deleted file mode 100644
index 653afc5..0000000
--- a/vendor/golang.org/x/tools/imports/sortimports.go
+++ /dev/null
@@ -1,212 +0,0 @@
-// Copyright 2013 The Go Authors. All rights reserved.
-// Use of this source code is governed by a BSD-style
-// license that can be found in the LICENSE file.
-
-// Hacked up copy of go/ast/import.go
-
-package imports
-
-import (
-	"go/ast"
-	"go/token"
-	"sort"
-	"strconv"
-)
-
-// sortImports sorts runs of consecutive import lines in import blocks in f.
-// It also removes duplicate imports when it is possible to do so without data loss.
-func sortImports(fset *token.FileSet, f *ast.File) {
-	for i, d := range f.Decls {
-		d, ok := d.(*ast.GenDecl)
-		if !ok || d.Tok != token.IMPORT {
-			// Not an import declaration, so we're done.
-			// Imports are always first.
-			break
-		}
-
-		if len(d.Specs) == 0 {
-			// Empty import block, remove it.
-			f.Decls = append(f.Decls[:i], f.Decls[i+1:]...)
-		}
-
-		if !d.Lparen.IsValid() {
-			// Not a block: sorted by default.
-			continue
-		}
-
-		// Identify and sort runs of specs on successive lines.
-		i := 0
-		specs := d.Specs[:0]
-		for j, s := range d.Specs {
-			if j > i && fset.Position(s.Pos()).Line > 1+fset.Position(d.Specs[j-1].End()).Line {
-				// j begins a new run.  End this one.
-				specs = append(specs, sortSpecs(fset, f, d.Specs[i:j])...)
-				i = j
-			}
-		}
-		specs = append(specs, sortSpecs(fset, f, d.Specs[i:])...)
-		d.Specs = specs
-
-		// Deduping can leave a blank line before the rparen; clean that up.
-		if len(d.Specs) > 0 {
-			lastSpec := d.Specs[len(d.Specs)-1]
-			lastLine := fset.Position(lastSpec.Pos()).Line
-			if rParenLine := fset.Position(d.Rparen).Line; rParenLine > lastLine+1 {
-				fset.File(d.Rparen).MergeLine(rParenLine - 1)
-			}
-		}
-	}
-}
-
-func importPath(s ast.Spec) string {
-	t, err := strconv.Unquote(s.(*ast.ImportSpec).Path.Value)
-	if err == nil {
-		return t
-	}
-	return ""
-}
-
-func importName(s ast.Spec) string {
-	n := s.(*ast.ImportSpec).Name
-	if n == nil {
-		return ""
-	}
-	return n.Name
-}
-
-func importComment(s ast.Spec) string {
-	c := s.(*ast.ImportSpec).Comment
-	if c == nil {
-		return ""
-	}
-	return c.Text()
-}
-
-// collapse indicates whether prev may be removed, leaving only next.
-func collapse(prev, next ast.Spec) bool {
-	if importPath(next) != importPath(prev) || importName(next) != importName(prev) {
-		return false
-	}
-	return prev.(*ast.ImportSpec).Comment == nil
-}
-
-type posSpan struct {
-	Start token.Pos
-	End   token.Pos
-}
-
-func sortSpecs(fset *token.FileSet, f *ast.File, specs []ast.Spec) []ast.Spec {
-	// Can't short-circuit here even if specs are already sorted,
-	// since they might yet need deduplication.
-	// A lone import, however, may be safely ignored.
-	if len(specs) <= 1 {
-		return specs
-	}
-
-	// Record positions for specs.
-	pos := make([]posSpan, len(specs))
-	for i, s := range specs {
-		pos[i] = posSpan{s.Pos(), s.End()}
-	}
-
-	// Identify comments in this range.
-	// Any comment from pos[0].Start to the final line counts.
-	lastLine := fset.Position(pos[len(pos)-1].End).Line
-	cstart := len(f.Comments)
-	cend := len(f.Comments)
-	for i, g := range f.Comments {
-		if g.Pos() < pos[0].Start {
-			continue
-		}
-		if i < cstart {
-			cstart = i
-		}
-		if fset.Position(g.End()).Line > lastLine {
-			cend = i
-			break
-		}
-	}
-	comments := f.Comments[cstart:cend]
-
-	// Assign each comment to the import spec preceding it.
-	importComment := map[*ast.ImportSpec][]*ast.CommentGroup{}
-	specIndex := 0
-	for _, g := range comments {
-		for specIndex+1 < len(specs) && pos[specIndex+1].Start <= g.Pos() {
-			specIndex++
-		}
-		s := specs[specIndex].(*ast.ImportSpec)
-		importComment[s] = append(importComment[s], g)
-	}
-
-	// Sort the import specs by import path.
-	// Remove duplicates, when possible without data loss.
-	// Reassign the import paths to have the same position sequence.
-	// Reassign each comment to abut the end of its spec.
-	// Sort the comments by new position.
-	sort.Sort(byImportSpec(specs))
-
-	// Dedup. Thanks to our sorting, we can just consider
-	// adjacent pairs of imports.
-	deduped := specs[:0]
-	for i, s := range specs {
-		if i == len(specs)-1 || !collapse(s, specs[i+1]) {
-			deduped = append(deduped, s)
-		} else {
-			p := s.Pos()
-			fset.File(p).MergeLine(fset.Position(p).Line)
-		}
-	}
-	specs = deduped
-
-	// Fix up comment positions
-	for i, s := range specs {
-		s := s.(*ast.ImportSpec)
-		if s.Name != nil {
-			s.Name.NamePos = pos[i].Start
-		}
-		s.Path.ValuePos = pos[i].Start
-		s.EndPos = pos[i].End
-		for _, g := range importComment[s] {
-			for _, c := range g.List {
-				c.Slash = pos[i].End
-			}
-		}
-	}
-
-	sort.Sort(byCommentPos(comments))
-
-	return specs
-}
-
-type byImportSpec []ast.Spec // slice of *ast.ImportSpec
-
-func (x byImportSpec) Len() int      { return len(x) }
-func (x byImportSpec) Swap(i, j int) { x[i], x[j] = x[j], x[i] }
-func (x byImportSpec) Less(i, j int) bool {
-	ipath := importPath(x[i])
-	jpath := importPath(x[j])
-
-	igroup := importGroup(ipath)
-	jgroup := importGroup(jpath)
-	if igroup != jgroup {
-		return igroup < jgroup
-	}
-
-	if ipath != jpath {
-		return ipath < jpath
-	}
-	iname := importName(x[i])
-	jname := importName(x[j])
-
-	if iname != jname {
-		return iname < jname
-	}
-	return importComment(x[i]) < importComment(x[j])
-}
-
-type byCommentPos []*ast.CommentGroup
-
-func (x byCommentPos) Len() int           { return len(x) }
-func (x byCommentPos) Swap(i, j int)      { x[i], x[j] = x[j], x[i] }
-func (x byCommentPos) Less(i, j int) bool { return x[i].Pos() < x[j].Pos() }
diff --git a/vendor/golang.org/x/tools/imports/zstdlib.go b/vendor/golang.org/x/tools/imports/zstdlib.go
deleted file mode 100644
index eb89b2d..0000000
--- a/vendor/golang.org/x/tools/imports/zstdlib.go
+++ /dev/null
@@ -1,9162 +0,0 @@
-// AUTO-GENERATED BY mkstdlib.go
-
-package imports
-
-var stdlib = map[string]string{
-	"adler32.Checksum":                              "hash/adler32",
-	"adler32.New":                                   "hash/adler32",
-	"adler32.Size":                                  "hash/adler32",
-	"aes.BlockSize":                                 "crypto/aes",
-	"aes.KeySizeError":                              "crypto/aes",
-	"aes.NewCipher":                                 "crypto/aes",
-	"ascii85.CorruptInputError":                     "encoding/ascii85",
-	"ascii85.Decode":                                "encoding/ascii85",
-	"ascii85.Encode":                                "encoding/ascii85",
-	"ascii85.MaxEncodedLen":                         "encoding/ascii85",
-	"ascii85.NewDecoder":                            "encoding/ascii85",
-	"ascii85.NewEncoder":                            "encoding/ascii85",
-	"asn1.BitString":                                "encoding/asn1",
-	"asn1.ClassApplication":                         "encoding/asn1",
-	"asn1.ClassContextSpecific":                     "encoding/asn1",
-	"asn1.ClassPrivate":                             "encoding/asn1",
-	"asn1.ClassUniversal":                           "encoding/asn1",
-	"asn1.Enumerated":                               "encoding/asn1",
-	"asn1.Flag":                                     "encoding/asn1",
-	"asn1.Marshal":                                  "encoding/asn1",
-	"asn1.ObjectIdentifier":                         "encoding/asn1",
-	"asn1.RawContent":                               "encoding/asn1",
-	"asn1.RawValue":                                 "encoding/asn1",
-	"asn1.StructuralError":                          "encoding/asn1",
-	"asn1.SyntaxError":                              "encoding/asn1",
-	"asn1.TagBitString":                             "encoding/asn1",
-	"asn1.TagBoolean":                               "encoding/asn1",
-	"asn1.TagEnum":                                  "encoding/asn1",
-	"asn1.TagGeneralString":                         "encoding/asn1",
-	"asn1.TagGeneralizedTime":                       "encoding/asn1",
-	"asn1.TagIA5String":                             "encoding/asn1",
-	"asn1.TagInteger":                               "encoding/asn1",
-	"asn1.TagOID":                                   "encoding/asn1",
-	"asn1.TagOctetString":                           "encoding/asn1",
-	"asn1.TagPrintableString":                       "encoding/asn1",
-	"asn1.TagSequence":                              "encoding/asn1",
-	"asn1.TagSet":                                   "encoding/asn1",
-	"asn1.TagT61String":                             "encoding/asn1",
-	"asn1.TagUTCTime":                               "encoding/asn1",
-	"asn1.TagUTF8String":                            "encoding/asn1",
-	"asn1.Unmarshal":                                "encoding/asn1",
-	"asn1.UnmarshalWithParams":                      "encoding/asn1",
-	"ast.ArrayType":                                 "go/ast",
-	"ast.AssignStmt":                                "go/ast",
-	"ast.Bad":                                       "go/ast",
-	"ast.BadDecl":                                   "go/ast",
-	"ast.BadExpr":                                   "go/ast",
-	"ast.BadStmt":                                   "go/ast",
-	"ast.BasicLit":                                  "go/ast",
-	"ast.BinaryExpr":                                "go/ast",
-	"ast.BlockStmt":                                 "go/ast",
-	"ast.BranchStmt":                                "go/ast",
-	"ast.CallExpr":                                  "go/ast",
-	"ast.CaseClause":                                "go/ast",
-	"ast.ChanDir":                                   "go/ast",
-	"ast.ChanType":                                  "go/ast",
-	"ast.CommClause":                                "go/ast",
-	"ast.Comment":                                   "go/ast",
-	"ast.CommentGroup":                              "go/ast",
-	"ast.CommentMap":                                "go/ast",
-	"ast.CompositeLit":                              "go/ast",
-	"ast.Con":                                       "go/ast",
-	"ast.DeclStmt":                                  "go/ast",
-	"ast.DeferStmt":                                 "go/ast",
-	"ast.Ellipsis":                                  "go/ast",
-	"ast.EmptyStmt":                                 "go/ast",
-	"ast.ExprStmt":                                  "go/ast",
-	"ast.Field":                                     "go/ast",
-	"ast.FieldFilter":                               "go/ast",
-	"ast.FieldList":                                 "go/ast",
-	"ast.File":                                      "go/ast",
-	"ast.FileExports":                               "go/ast",
-	"ast.Filter":                                    "go/ast",
-	"ast.FilterDecl":                                "go/ast",
-	"ast.FilterFile":                                "go/ast",
-	"ast.FilterFuncDuplicates":                      "go/ast",
-	"ast.FilterImportDuplicates":                    "go/ast",
-	"ast.FilterPackage":                             "go/ast",
-	"ast.FilterUnassociatedComments":                "go/ast",
-	"ast.ForStmt":                                   "go/ast",
-	"ast.Fprint":                                    "go/ast",
-	"ast.Fun":                                       "go/ast",
-	"ast.FuncDecl":                                  "go/ast",
-	"ast.FuncLit":                                   "go/ast",
-	"ast.FuncType":                                  "go/ast",
-	"ast.GenDecl":                                   "go/ast",
-	"ast.GoStmt":                                    "go/ast",
-	"ast.Ident":                                     "go/ast",
-	"ast.IfStmt":                                    "go/ast",
-	"ast.ImportSpec":                                "go/ast",
-	"ast.Importer":                                  "go/ast",
-	"ast.IncDecStmt":                                "go/ast",
-	"ast.IndexExpr":                                 "go/ast",
-	"ast.Inspect":                                   "go/ast",
-	"ast.InterfaceType":                             "go/ast",
-	"ast.IsExported":                                "go/ast",
-	"ast.KeyValueExpr":                              "go/ast",
-	"ast.LabeledStmt":                               "go/ast",
-	"ast.Lbl":                                       "go/ast",
-	"ast.MapType":                                   "go/ast",
-	"ast.MergeMode":                                 "go/ast",
-	"ast.MergePackageFiles":                         "go/ast",
-	"ast.NewCommentMap":                             "go/ast",
-	"ast.NewIdent":                                  "go/ast",
-	"ast.NewObj":                                    "go/ast",
-	"ast.NewPackage":                                "go/ast",
-	"ast.NewScope":                                  "go/ast",
-	"ast.Node":                                      "go/ast",
-	"ast.NotNilFilter":                              "go/ast",
-	"ast.ObjKind":                                   "go/ast",
-	"ast.Object":                                    "go/ast",
-	"ast.Package":                                   "go/ast",
-	"ast.PackageExports":                            "go/ast",
-	"ast.ParenExpr":                                 "go/ast",
-	"ast.Pkg":                                       "go/ast",
-	"ast.Print":                                     "go/ast",
-	"ast.RECV":                                      "go/ast",
-	"ast.RangeStmt":                                 "go/ast",
-	"ast.ReturnStmt":                                "go/ast",
-	"ast.SEND":                                      "go/ast",
-	"ast.Scope":                                     "go/ast",
-	"ast.SelectStmt":                                "go/ast",
-	"ast.SelectorExpr":                              "go/ast",
-	"ast.SendStmt":                                  "go/ast",
-	"ast.SliceExpr":                                 "go/ast",
-	"ast.SortImports":                               "go/ast",
-	"ast.StarExpr":                                  "go/ast",
-	"ast.StructType":                                "go/ast",
-	"ast.SwitchStmt":                                "go/ast",
-	"ast.Typ":                                       "go/ast",
-	"ast.TypeAssertExpr":                            "go/ast",
-	"ast.TypeSpec":                                  "go/ast",
-	"ast.TypeSwitchStmt":                            "go/ast",
-	"ast.UnaryExpr":                                 "go/ast",
-	"ast.ValueSpec":                                 "go/ast",
-	"ast.Var":                                       "go/ast",
-	"ast.Visitor":                                   "go/ast",
-	"ast.Walk":                                      "go/ast",
-	"atomic.AddInt32":                               "sync/atomic",
-	"atomic.AddInt64":                               "sync/atomic",
-	"atomic.AddUint32":                              "sync/atomic",
-	"atomic.AddUint64":                              "sync/atomic",
-	"atomic.AddUintptr":                             "sync/atomic",
-	"atomic.CompareAndSwapInt32":                    "sync/atomic",
-	"atomic.CompareAndSwapInt64":                    "sync/atomic",
-	"atomic.CompareAndSwapPointer":                  "sync/atomic",
-	"atomic.CompareAndSwapUint32":                   "sync/atomic",
-	"atomic.CompareAndSwapUint64":                   "sync/atomic",
-	"atomic.CompareAndSwapUintptr":                  "sync/atomic",
-	"atomic.LoadInt32":                              "sync/atomic",
-	"atomic.LoadInt64":                              "sync/atomic",
-	"atomic.LoadPointer":                            "sync/atomic",
-	"atomic.LoadUint32":                             "sync/atomic",
-	"atomic.LoadUint64":                             "sync/atomic",
-	"atomic.LoadUintptr":                            "sync/atomic",
-	"atomic.StoreInt32":                             "sync/atomic",
-	"atomic.StoreInt64":                             "sync/atomic",
-	"atomic.StorePointer":                           "sync/atomic",
-	"atomic.StoreUint32":                            "sync/atomic",
-	"atomic.StoreUint64":                            "sync/atomic",
-	"atomic.StoreUintptr":                           "sync/atomic",
-	"atomic.SwapInt32":                              "sync/atomic",
-	"atomic.SwapInt64":                              "sync/atomic",
-	"atomic.SwapPointer":                            "sync/atomic",
-	"atomic.SwapUint32":                             "sync/atomic",
-	"atomic.SwapUint64":                             "sync/atomic",
-	"atomic.SwapUintptr":                            "sync/atomic",
-	"atomic.Value":                                  "sync/atomic",
-	"base32.CorruptInputError":                      "encoding/base32",
-	"base32.Encoding":                               "encoding/base32",
-	"base32.HexEncoding":                            "encoding/base32",
-	"base32.NewDecoder":                             "encoding/base32",
-	"base32.NewEncoder":                             "encoding/base32",
-	"base32.NewEncoding":                            "encoding/base32",
-	"base32.StdEncoding":                            "encoding/base32",
-	"base64.CorruptInputError":                      "encoding/base64",
-	"base64.Encoding":                               "encoding/base64",
-	"base64.NewDecoder":                             "encoding/base64",
-	"base64.NewEncoder":                             "encoding/base64",
-	"base64.NewEncoding":                            "encoding/base64",
-	"base64.NoPadding":                              "encoding/base64",
-	"base64.RawStdEncoding":                         "encoding/base64",
-	"base64.RawURLEncoding":                         "encoding/base64",
-	"base64.StdEncoding":                            "encoding/base64",
-	"base64.StdPadding":                             "encoding/base64",
-	"base64.URLEncoding":                            "encoding/base64",
-	"big.Above":                                     "math/big",
-	"big.Accuracy":                                  "math/big",
-	"big.AwayFromZero":                              "math/big",
-	"big.Below":                                     "math/big",
-	"big.ErrNaN":                                    "math/big",
-	"big.Exact":                                     "math/big",
-	"big.Float":                                     "math/big",
-	"big.Int":                                       "math/big",
-	"big.Jacobi":                                    "math/big",
-	"big.MaxBase":                                   "math/big",
-	"big.MaxExp":                                    "math/big",
-	"big.MaxPrec":                                   "math/big",
-	"big.MinExp":                                    "math/big",
-	"big.NewFloat":                                  "math/big",
-	"big.NewInt":                                    "math/big",
-	"big.NewRat":                                    "math/big",
-	"big.ParseFloat":                                "math/big",
-	"big.Rat":                                       "math/big",
-	"big.RoundingMode":                              "math/big",
-	"big.ToNearestAway":                             "math/big",
-	"big.ToNearestEven":                             "math/big",
-	"big.ToNegativeInf":                             "math/big",
-	"big.ToPositiveInf":                             "math/big",
-	"big.ToZero":                                    "math/big",
-	"big.Word":                                      "math/big",
-	"binary.BigEndian":                              "encoding/binary",
-	"binary.ByteOrder":                              "encoding/binary",
-	"binary.LittleEndian":                           "encoding/binary",
-	"binary.MaxVarintLen16":                         "encoding/binary",
-	"binary.MaxVarintLen32":                         "encoding/binary",
-	"binary.MaxVarintLen64":                         "encoding/binary",
-	"binary.PutUvarint":                             "encoding/binary",
-	"binary.PutVarint":                              "encoding/binary",
-	"binary.Read":                                   "encoding/binary",
-	"binary.ReadUvarint":                            "encoding/binary",
-	"binary.ReadVarint":                             "encoding/binary",
-	"binary.Size":                                   "encoding/binary",
-	"binary.Uvarint":                                "encoding/binary",
-	"binary.Varint":                                 "encoding/binary",
-	"binary.Write":                                  "encoding/binary",
-	"bufio.ErrAdvanceTooFar":                        "bufio",
-	"bufio.ErrBufferFull":                           "bufio",
-	"bufio.ErrFinalToken":                           "bufio",
-	"bufio.ErrInvalidUnreadByte":                    "bufio",
-	"bufio.ErrInvalidUnreadRune":                    "bufio",
-	"bufio.ErrNegativeAdvance":                      "bufio",
-	"bufio.ErrNegativeCount":                        "bufio",
-	"bufio.ErrTooLong":                              "bufio",
-	"bufio.MaxScanTokenSize":                        "bufio",
-	"bufio.NewReadWriter":                           "bufio",
-	"bufio.NewReader":                               "bufio",
-	"bufio.NewReaderSize":                           "bufio",
-	"bufio.NewScanner":                              "bufio",
-	"bufio.NewWriter":                               "bufio",
-	"bufio.NewWriterSize":                           "bufio",
-	"bufio.ReadWriter":                              "bufio",
-	"bufio.Reader":                                  "bufio",
-	"bufio.ScanBytes":                               "bufio",
-	"bufio.ScanLines":                               "bufio",
-	"bufio.ScanRunes":                               "bufio",
-	"bufio.ScanWords":                               "bufio",
-	"bufio.Scanner":                                 "bufio",
-	"bufio.SplitFunc":                               "bufio",
-	"bufio.Writer":                                  "bufio",
-	"build.AllowBinary":                             "go/build",
-	"build.ArchChar":                                "go/build",
-	"build.Context":                                 "go/build",
-	"build.Default":                                 "go/build",
-	"build.FindOnly":                                "go/build",
-	"build.IgnoreVendor":                            "go/build",
-	"build.Import":                                  "go/build",
-	"build.ImportComment":                           "go/build",
-	"build.ImportDir":                               "go/build",
-	"build.ImportMode":                              "go/build",
-	"build.IsLocalImport":                           "go/build",
-	"build.MultiplePackageError":                    "go/build",
-	"build.NoGoError":                               "go/build",
-	"build.Package":                                 "go/build",
-	"build.ToolDir":                                 "go/build",
-	"bytes.Buffer":                                  "bytes",
-	"bytes.Compare":                                 "bytes",
-	"bytes.Contains":                                "bytes",
-	"bytes.Count":                                   "bytes",
-	"bytes.Equal":                                   "bytes",
-	"bytes.EqualFold":                               "bytes",
-	"bytes.ErrTooLarge":                             "bytes",
-	"bytes.Fields":                                  "bytes",
-	"bytes.FieldsFunc":                              "bytes",
-	"bytes.HasPrefix":                               "bytes",
-	"bytes.HasSuffix":                               "bytes",
-	"bytes.Index":                                   "bytes",
-	"bytes.IndexAny":                                "bytes",
-	"bytes.IndexByte":                               "bytes",
-	"bytes.IndexFunc":                               "bytes",
-	"bytes.IndexRune":                               "bytes",
-	"bytes.Join":                                    "bytes",
-	"bytes.LastIndex":                               "bytes",
-	"bytes.LastIndexAny":                            "bytes",
-	"bytes.LastIndexByte":                           "bytes",
-	"bytes.LastIndexFunc":                           "bytes",
-	"bytes.Map":                                     "bytes",
-	"bytes.MinRead":                                 "bytes",
-	"bytes.NewBuffer":                               "bytes",
-	"bytes.NewBufferString":                         "bytes",
-	"bytes.NewReader":                               "bytes",
-	"bytes.Reader":                                  "bytes",
-	"bytes.Repeat":                                  "bytes",
-	"bytes.Replace":                                 "bytes",
-	"bytes.Runes":                                   "bytes",
-	"bytes.Split":                                   "bytes",
-	"bytes.SplitAfter":                              "bytes",
-	"bytes.SplitAfterN":                             "bytes",
-	"bytes.SplitN":                                  "bytes",
-	"bytes.Title":                                   "bytes",
-	"bytes.ToLower":                                 "bytes",
-	"bytes.ToLowerSpecial":                          "bytes",
-	"bytes.ToTitle":                                 "bytes",
-	"bytes.ToTitleSpecial":                          "bytes",
-	"bytes.ToUpper":                                 "bytes",
-	"bytes.ToUpperSpecial":                          "bytes",
-	"bytes.Trim":                                    "bytes",
-	"bytes.TrimFunc":                                "bytes",
-	"bytes.TrimLeft":                                "bytes",
-	"bytes.TrimLeftFunc":                            "bytes",
-	"bytes.TrimPrefix":                              "bytes",
-	"bytes.TrimRight":                               "bytes",
-	"bytes.TrimRightFunc":                           "bytes",
-	"bytes.TrimSpace":                               "bytes",
-	"bytes.TrimSuffix":                              "bytes",
-	"bzip2.NewReader":                               "compress/bzip2",
-	"bzip2.StructuralError":                         "compress/bzip2",
-	"cgi.Handler":                                   "net/http/cgi",
-	"cgi.Request":                                   "net/http/cgi",
-	"cgi.RequestFromMap":                            "net/http/cgi",
-	"cgi.Serve":                                     "net/http/cgi",
-	"cipher.AEAD":                                   "crypto/cipher",
-	"cipher.Block":                                  "crypto/cipher",
-	"cipher.BlockMode":                              "crypto/cipher",
-	"cipher.NewCBCDecrypter":                        "crypto/cipher",
-	"cipher.NewCBCEncrypter":                        "crypto/cipher",
-	"cipher.NewCFBDecrypter":                        "crypto/cipher",
-	"cipher.NewCFBEncrypter":                        "crypto/cipher",
-	"cipher.NewCTR":                                 "crypto/cipher",
-	"cipher.NewGCM":                                 "crypto/cipher",
-	"cipher.NewGCMWithNonceSize":                    "crypto/cipher",
-	"cipher.NewOFB":                                 "crypto/cipher",
-	"cipher.Stream":                                 "crypto/cipher",
-	"cipher.StreamReader":                           "crypto/cipher",
-	"cipher.StreamWriter":                           "crypto/cipher",
-	"cmplx.Abs":                                     "math/cmplx",
-	"cmplx.Acos":                                    "math/cmplx",
-	"cmplx.Acosh":                                   "math/cmplx",
-	"cmplx.Asin":                                    "math/cmplx",
-	"cmplx.Asinh":                                   "math/cmplx",
-	"cmplx.Atan":                                    "math/cmplx",
-	"cmplx.Atanh":                                   "math/cmplx",
-	"cmplx.Conj":                                    "math/cmplx",
-	"cmplx.Cos":                                     "math/cmplx",
-	"cmplx.Cosh":                                    "math/cmplx",
-	"cmplx.Cot":                                     "math/cmplx",
-	"cmplx.Exp":                                     "math/cmplx",
-	"cmplx.Inf":                                     "math/cmplx",
-	"cmplx.IsInf":                                   "math/cmplx",
-	"cmplx.IsNaN":                                   "math/cmplx",
-	"cmplx.Log":                                     "math/cmplx",
-	"cmplx.Log10":                                   "math/cmplx",
-	"cmplx.NaN":                                     "math/cmplx",
-	"cmplx.Phase":                                   "math/cmplx",
-	"cmplx.Polar":                                   "math/cmplx",
-	"cmplx.Pow":                                     "math/cmplx",
-	"cmplx.Rect":                                    "math/cmplx",
-	"cmplx.Sin":                                     "math/cmplx",
-	"cmplx.Sinh":                                    "math/cmplx",
-	"cmplx.Sqrt":                                    "math/cmplx",
-	"cmplx.Tan":                                     "math/cmplx",
-	"cmplx.Tanh":                                    "math/cmplx",
-	"color.Alpha":                                   "image/color",
-	"color.Alpha16":                                 "image/color",
-	"color.Alpha16Model":                            "image/color",
-	"color.AlphaModel":                              "image/color",
-	"color.Black":                                   "image/color",
-	"color.CMYK":                                    "image/color",
-	"color.CMYKModel":                               "image/color",
-	"color.CMYKToRGB":                               "image/color",
-	"color.Color":                                   "image/color",
-	"color.Gray":                                    "image/color",
-	"color.Gray16":                                  "image/color",
-	"color.Gray16Model":                             "image/color",
-	"color.GrayModel":                               "image/color",
-	"color.Model":                                   "image/color",
-	"color.ModelFunc":                               "image/color",
-	"color.NRGBA":                                   "image/color",
-	"color.NRGBA64":                                 "image/color",
-	"color.NRGBA64Model":                            "image/color",
-	"color.NRGBAModel":                              "image/color",
-	"color.NYCbCrA":                                 "image/color",
-	"color.NYCbCrAModel":                            "image/color",
-	"color.Opaque":                                  "image/color",
-	"color.Palette":                                 "image/color",
-	"color.RGBA":                                    "image/color",
-	"color.RGBA64":                                  "image/color",
-	"color.RGBA64Model":                             "image/color",
-	"color.RGBAModel":                               "image/color",
-	"color.RGBToCMYK":                               "image/color",
-	"color.RGBToYCbCr":                              "image/color",
-	"color.Transparent":                             "image/color",
-	"color.White":                                   "image/color",
-	"color.YCbCr":                                   "image/color",
-	"color.YCbCrModel":                              "image/color",
-	"color.YCbCrToRGB":                              "image/color",
-	"constant.BinaryOp":                             "go/constant",
-	"constant.BitLen":                               "go/constant",
-	"constant.Bool":                                 "go/constant",
-	"constant.BoolVal":                              "go/constant",
-	"constant.Bytes":                                "go/constant",
-	"constant.Compare":                              "go/constant",
-	"constant.Complex":                              "go/constant",
-	"constant.Denom":                                "go/constant",
-	"constant.Float":                                "go/constant",
-	"constant.Float32Val":                           "go/constant",
-	"constant.Float64Val":                           "go/constant",
-	"constant.Imag":                                 "go/constant",
-	"constant.Int":                                  "go/constant",
-	"constant.Int64Val":                             "go/constant",
-	"constant.Kind":                                 "go/constant",
-	"constant.MakeBool":                             "go/constant",
-	"constant.MakeFloat64":                          "go/constant",
-	"constant.MakeFromBytes":                        "go/constant",
-	"constant.MakeFromLiteral":                      "go/constant",
-	"constant.MakeImag":                             "go/constant",
-	"constant.MakeInt64":                            "go/constant",
-	"constant.MakeString":                           "go/constant",
-	"constant.MakeUint64":                           "go/constant",
-	"constant.MakeUnknown":                          "go/constant",
-	"constant.Num":                                  "go/constant",
-	"constant.Real":                                 "go/constant",
-	"constant.Shift":                                "go/constant",
-	"constant.Sign":                                 "go/constant",
-	"constant.String":                               "go/constant",
-	"constant.StringVal":                            "go/constant",
-	"constant.ToComplex":                            "go/constant",
-	"constant.ToFloat":                              "go/constant",
-	"constant.ToInt":                                "go/constant",
-	"constant.Uint64Val":                            "go/constant",
-	"constant.UnaryOp":                              "go/constant",
-	"constant.Unknown":                              "go/constant",
-	"cookiejar.Jar":                                 "net/http/cookiejar",
-	"cookiejar.New":                                 "net/http/cookiejar",
-	"cookiejar.Options":                             "net/http/cookiejar",
-	"cookiejar.PublicSuffixList":                    "net/http/cookiejar",
-	"crc32.Castagnoli":                              "hash/crc32",
-	"crc32.Checksum":                                "hash/crc32",
-	"crc32.ChecksumIEEE":                            "hash/crc32",
-	"crc32.IEEE":                                    "hash/crc32",
-	"crc32.IEEETable":                               "hash/crc32",
-	"crc32.Koopman":                                 "hash/crc32",
-	"crc32.MakeTable":                               "hash/crc32",
-	"crc32.New":                                     "hash/crc32",
-	"crc32.NewIEEE":                                 "hash/crc32",
-	"crc32.Size":                                    "hash/crc32",
-	"crc32.Table":                                   "hash/crc32",
-	"crc32.Update":                                  "hash/crc32",
-	"crc64.Checksum":                                "hash/crc64",
-	"crc64.ECMA":                                    "hash/crc64",
-	"crc64.ISO":                                     "hash/crc64",
-	"crc64.MakeTable":                               "hash/crc64",
-	"crc64.New":                                     "hash/crc64",
-	"crc64.Size":                                    "hash/crc64",
-	"crc64.Table":                                   "hash/crc64",
-	"crc64.Update":                                  "hash/crc64",
-	"crypto.Decrypter":                              "crypto",
-	"crypto.DecrypterOpts":                          "crypto",
-	"crypto.Hash":                                   "crypto",
-	"crypto.MD4":                                    "crypto",
-	"crypto.MD5":                                    "crypto",
-	"crypto.MD5SHA1":                                "crypto",
-	"crypto.PrivateKey":                             "crypto",
-	"crypto.PublicKey":                              "crypto",
-	"crypto.RIPEMD160":                              "crypto",
-	"crypto.RegisterHash":                           "crypto",
-	"crypto.SHA1":                                   "crypto",
-	"crypto.SHA224":                                 "crypto",
-	"crypto.SHA256":                                 "crypto",
-	"crypto.SHA384":                                 "crypto",
-	"crypto.SHA3_224":                               "crypto",
-	"crypto.SHA3_256":                               "crypto",
-	"crypto.SHA3_384":                               "crypto",
-	"crypto.SHA3_512":                               "crypto",
-	"crypto.SHA512":                                 "crypto",
-	"crypto.SHA512_224":                             "crypto",
-	"crypto.SHA512_256":                             "crypto",
-	"crypto.Signer":                                 "crypto",
-	"crypto.SignerOpts":                             "crypto",
-	"csv.ErrBareQuote":                              "encoding/csv",
-	"csv.ErrFieldCount":                             "encoding/csv",
-	"csv.ErrQuote":                                  "encoding/csv",
-	"csv.ErrTrailingComma":                          "encoding/csv",
-	"csv.NewReader":                                 "encoding/csv",
-	"csv.NewWriter":                                 "encoding/csv",
-	"csv.ParseError":                                "encoding/csv",
-	"csv.Reader":                                    "encoding/csv",
-	"csv.Writer":                                    "encoding/csv",
-	"debug.FreeOSMemory":                            "runtime/debug",
-	"debug.GCStats":                                 "runtime/debug",
-	"debug.PrintStack":                              "runtime/debug",
-	"debug.ReadGCStats":                             "runtime/debug",
-	"debug.SetGCPercent":                            "runtime/debug",
-	"debug.SetMaxStack":                             "runtime/debug",
-	"debug.SetMaxThreads":                           "runtime/debug",
-	"debug.SetPanicOnFault":                         "runtime/debug",
-	"debug.SetTraceback":                            "runtime/debug",
-	"debug.Stack":                                   "runtime/debug",
-	"debug.WriteHeapDump":                           "runtime/debug",
-	"des.BlockSize":                                 "crypto/des",
-	"des.KeySizeError":                              "crypto/des",
-	"des.NewCipher":                                 "crypto/des",
-	"des.NewTripleDESCipher":                        "crypto/des",
-	"doc.AllDecls":                                  "go/doc",
-	"doc.AllMethods":                                "go/doc",
-	"doc.Example":                                   "go/doc",
-	"doc.Examples":                                  "go/doc",
-	"doc.Filter":                                    "go/doc",
-	"doc.Func":                                      "go/doc",
-	"doc.IllegalPrefixes":                           "go/doc",
-	"doc.Mode":                                      "go/doc",
-	"doc.New":                                       "go/doc",
-	"doc.Note":                                      "go/doc",
-	"doc.Package":                                   "go/doc",
-	"doc.Synopsis":                                  "go/doc",
-	"doc.ToHTML":                                    "go/doc",
-	"doc.ToText":                                    "go/doc",
-	"doc.Type":                                      "go/doc",
-	"doc.Value":                                     "go/doc",
-	"draw.Draw":                                     "image/draw",
-	"draw.DrawMask":                                 "image/draw",
-	"draw.Drawer":                                   "image/draw",
-	"draw.FloydSteinberg":                           "image/draw",
-	"draw.Image":                                    "image/draw",
-	"draw.Op":                                       "image/draw",
-	"draw.Over":                                     "image/draw",
-	"draw.Quantizer":                                "image/draw",
-	"draw.Src":                                      "image/draw",
-	"driver.Bool":                                   "database/sql/driver",
-	"driver.ColumnConverter":                        "database/sql/driver",
-	"driver.Conn":                                   "database/sql/driver",
-	"driver.DefaultParameterConverter":              "database/sql/driver",
-	"driver.Driver":                                 "database/sql/driver",
-	"driver.ErrBadConn":                             "database/sql/driver",
-	"driver.ErrSkip":                                "database/sql/driver",
-	"driver.Execer":                                 "database/sql/driver",
-	"driver.Int32":                                  "database/sql/driver",
-	"driver.IsScanValue":                            "database/sql/driver",
-	"driver.IsValue":                                "database/sql/driver",
-	"driver.NotNull":                                "database/sql/driver",
-	"driver.Null":                                   "database/sql/driver",
-	"driver.Queryer":                                "database/sql/driver",
-	"driver.Result":                                 "database/sql/driver",
-	"driver.ResultNoRows":                           "database/sql/driver",
-	"driver.Rows":                                   "database/sql/driver",
-	"driver.RowsAffected":                           "database/sql/driver",
-	"driver.Stmt":                                   "database/sql/driver",
-	"driver.String":                                 "database/sql/driver",
-	"driver.Tx":                                     "database/sql/driver",
-	"driver.Value":                                  "database/sql/driver",
-	"driver.ValueConverter":                         "database/sql/driver",
-	"driver.Valuer":                                 "database/sql/driver",
-	"dsa.ErrInvalidPublicKey":                       "crypto/dsa",
-	"dsa.GenerateKey":                               "crypto/dsa",
-	"dsa.GenerateParameters":                        "crypto/dsa",
-	"dsa.L1024N160":                                 "crypto/dsa",
-	"dsa.L2048N224":                                 "crypto/dsa",
-	"dsa.L2048N256":                                 "crypto/dsa",
-	"dsa.L3072N256":                                 "crypto/dsa",
-	"dsa.ParameterSizes":                            "crypto/dsa",
-	"dsa.Parameters":                                "crypto/dsa",
-	"dsa.PrivateKey":                                "crypto/dsa",
-	"dsa.PublicKey":                                 "crypto/dsa",
-	"dsa.Sign":                                      "crypto/dsa",
-	"dsa.Verify":                                    "crypto/dsa",
-	"dwarf.AddrType":                                "debug/dwarf",
-	"dwarf.ArrayType":                               "debug/dwarf",
-	"dwarf.Attr":                                    "debug/dwarf",
-	"dwarf.AttrAbstractOrigin":                      "debug/dwarf",
-	"dwarf.AttrAccessibility":                       "debug/dwarf",
-	"dwarf.AttrAddrClass":                           "debug/dwarf",
-	"dwarf.AttrAllocated":                           "debug/dwarf",
-	"dwarf.AttrArtificial":                          "debug/dwarf",
-	"dwarf.AttrAssociated":                          "debug/dwarf",
-	"dwarf.AttrBaseTypes":                           "debug/dwarf",
-	"dwarf.AttrBitOffset":                           "debug/dwarf",
-	"dwarf.AttrBitSize":                             "debug/dwarf",
-	"dwarf.AttrByteSize":                            "debug/dwarf",
-	"dwarf.AttrCallColumn":                          "debug/dwarf",
-	"dwarf.AttrCallFile":                            "debug/dwarf",
-	"dwarf.AttrCallLine":                            "debug/dwarf",
-	"dwarf.AttrCalling":                             "debug/dwarf",
-	"dwarf.AttrCommonRef":                           "debug/dwarf",
-	"dwarf.AttrCompDir":                             "debug/dwarf",
-	"dwarf.AttrConstValue":                          "debug/dwarf",
-	"dwarf.AttrContainingType":                      "debug/dwarf",
-	"dwarf.AttrCount":                               "debug/dwarf",
-	"dwarf.AttrDataLocation":                        "debug/dwarf",
-	"dwarf.AttrDataMemberLoc":                       "debug/dwarf",
-	"dwarf.AttrDeclColumn":                          "debug/dwarf",
-	"dwarf.AttrDeclFile":                            "debug/dwarf",
-	"dwarf.AttrDeclLine":                            "debug/dwarf",
-	"dwarf.AttrDeclaration":                         "debug/dwarf",
-	"dwarf.AttrDefaultValue":                        "debug/dwarf",
-	"dwarf.AttrDescription":                         "debug/dwarf",
-	"dwarf.AttrDiscr":                               "debug/dwarf",
-	"dwarf.AttrDiscrList":                           "debug/dwarf",
-	"dwarf.AttrDiscrValue":                          "debug/dwarf",
-	"dwarf.AttrEncoding":                            "debug/dwarf",
-	"dwarf.AttrEntrypc":                             "debug/dwarf",
-	"dwarf.AttrExtension":                           "debug/dwarf",
-	"dwarf.AttrExternal":                            "debug/dwarf",
-	"dwarf.AttrFrameBase":                           "debug/dwarf",
-	"dwarf.AttrFriend":                              "debug/dwarf",
-	"dwarf.AttrHighpc":                              "debug/dwarf",
-	"dwarf.AttrIdentifierCase":                      "debug/dwarf",
-	"dwarf.AttrImport":                              "debug/dwarf",
-	"dwarf.AttrInline":                              "debug/dwarf",
-	"dwarf.AttrIsOptional":                          "debug/dwarf",
-	"dwarf.AttrLanguage":                            "debug/dwarf",
-	"dwarf.AttrLocation":                            "debug/dwarf",
-	"dwarf.AttrLowerBound":                          "debug/dwarf",
-	"dwarf.AttrLowpc":                               "debug/dwarf",
-	"dwarf.AttrMacroInfo":                           "debug/dwarf",
-	"dwarf.AttrName":                                "debug/dwarf",
-	"dwarf.AttrNamelistItem":                        "debug/dwarf",
-	"dwarf.AttrOrdering":                            "debug/dwarf",
-	"dwarf.AttrPriority":                            "debug/dwarf",
-	"dwarf.AttrProducer":                            "debug/dwarf",
-	"dwarf.AttrPrototyped":                          "debug/dwarf",
-	"dwarf.AttrRanges":                              "debug/dwarf",
-	"dwarf.AttrReturnAddr":                          "debug/dwarf",
-	"dwarf.AttrSegment":                             "debug/dwarf",
-	"dwarf.AttrSibling":                             "debug/dwarf",
-	"dwarf.AttrSpecification":                       "debug/dwarf",
-	"dwarf.AttrStartScope":                          "debug/dwarf",
-	"dwarf.AttrStaticLink":                          "debug/dwarf",
-	"dwarf.AttrStmtList":                            "debug/dwarf",
-	"dwarf.AttrStride":                              "debug/dwarf",
-	"dwarf.AttrStrideSize":                          "debug/dwarf",
-	"dwarf.AttrStringLength":                        "debug/dwarf",
-	"dwarf.AttrTrampoline":                          "debug/dwarf",
-	"dwarf.AttrType":                                "debug/dwarf",
-	"dwarf.AttrUpperBound":                          "debug/dwarf",
-	"dwarf.AttrUseLocation":                         "debug/dwarf",
-	"dwarf.AttrUseUTF8":                             "debug/dwarf",
-	"dwarf.AttrVarParam":                            "debug/dwarf",
-	"dwarf.AttrVirtuality":                          "debug/dwarf",
-	"dwarf.AttrVisibility":                          "debug/dwarf",
-	"dwarf.AttrVtableElemLoc":                       "debug/dwarf",
-	"dwarf.BasicType":                               "debug/dwarf",
-	"dwarf.BoolType":                                "debug/dwarf",
-	"dwarf.CharType":                                "debug/dwarf",
-	"dwarf.Class":                                   "debug/dwarf",
-	"dwarf.ClassAddress":                            "debug/dwarf",
-	"dwarf.ClassBlock":                              "debug/dwarf",
-	"dwarf.ClassConstant":                           "debug/dwarf",
-	"dwarf.ClassExprLoc":                            "debug/dwarf",
-	"dwarf.ClassFlag":                               "debug/dwarf",
-	"dwarf.ClassLinePtr":                            "debug/dwarf",
-	"dwarf.ClassLocListPtr":                         "debug/dwarf",
-	"dwarf.ClassMacPtr":                             "debug/dwarf",
-	"dwarf.ClassRangeListPtr":                       "debug/dwarf",
-	"dwarf.ClassReference":                          "debug/dwarf",
-	"dwarf.ClassReferenceAlt":                       "debug/dwarf",
-	"dwarf.ClassReferenceSig":                       "debug/dwarf",
-	"dwarf.ClassString":                             "debug/dwarf",
-	"dwarf.ClassStringAlt":                          "debug/dwarf",
-	"dwarf.ClassUnknown":                            "debug/dwarf",
-	"dwarf.CommonType":                              "debug/dwarf",
-	"dwarf.ComplexType":                             "debug/dwarf",
-	"dwarf.Data":                                    "debug/dwarf",
-	"dwarf.DecodeError":                             "debug/dwarf",
-	"dwarf.DotDotDotType":                           "debug/dwarf",
-	"dwarf.Entry":                                   "debug/dwarf",
-	"dwarf.EnumType":                                "debug/dwarf",
-	"dwarf.EnumValue":                               "debug/dwarf",
-	"dwarf.ErrUnknownPC":                            "debug/dwarf",
-	"dwarf.Field":                                   "debug/dwarf",
-	"dwarf.FloatType":                               "debug/dwarf",
-	"dwarf.FuncType":                                "debug/dwarf",
-	"dwarf.IntType":                                 "debug/dwarf",
-	"dwarf.LineEntry":                               "debug/dwarf",
-	"dwarf.LineFile":                                "debug/dwarf",
-	"dwarf.LineReader":                              "debug/dwarf",
-	"dwarf.LineReaderPos":                           "debug/dwarf",
-	"dwarf.New":                                     "debug/dwarf",
-	"dwarf.Offset":                                  "debug/dwarf",
-	"dwarf.PtrType":                                 "debug/dwarf",
-	"dwarf.QualType":                                "debug/dwarf",
-	"dwarf.Reader":                                  "debug/dwarf",
-	"dwarf.StructField":                             "debug/dwarf",
-	"dwarf.StructType":                              "debug/dwarf",
-	"dwarf.Tag":                                     "debug/dwarf",
-	"dwarf.TagAccessDeclaration":                    "debug/dwarf",
-	"dwarf.TagArrayType":                            "debug/dwarf",
-	"dwarf.TagBaseType":                             "debug/dwarf",
-	"dwarf.TagCatchDwarfBlock":                      "debug/dwarf",
-	"dwarf.TagClassType":                            "debug/dwarf",
-	"dwarf.TagCommonDwarfBlock":                     "debug/dwarf",
-	"dwarf.TagCommonInclusion":                      "debug/dwarf",
-	"dwarf.TagCompileUnit":                          "debug/dwarf",
-	"dwarf.TagCondition":                            "debug/dwarf",
-	"dwarf.TagConstType":                            "debug/dwarf",
-	"dwarf.TagConstant":                             "debug/dwarf",
-	"dwarf.TagDwarfProcedure":                       "debug/dwarf",
-	"dwarf.TagEntryPoint":                           "debug/dwarf",
-	"dwarf.TagEnumerationType":                      "debug/dwarf",
-	"dwarf.TagEnumerator":                           "debug/dwarf",
-	"dwarf.TagFileType":                             "debug/dwarf",
-	"dwarf.TagFormalParameter":                      "debug/dwarf",
-	"dwarf.TagFriend":                               "debug/dwarf",
-	"dwarf.TagImportedDeclaration":                  "debug/dwarf",
-	"dwarf.TagImportedModule":                       "debug/dwarf",
-	"dwarf.TagImportedUnit":                         "debug/dwarf",
-	"dwarf.TagInheritance":                          "debug/dwarf",
-	"dwarf.TagInlinedSubroutine":                    "debug/dwarf",
-	"dwarf.TagInterfaceType":                        "debug/dwarf",
-	"dwarf.TagLabel":                                "debug/dwarf",
-	"dwarf.TagLexDwarfBlock":                        "debug/dwarf",
-	"dwarf.TagMember":                               "debug/dwarf",
-	"dwarf.TagModule":                               "debug/dwarf",
-	"dwarf.TagMutableType":                          "debug/dwarf",
-	"dwarf.TagNamelist":                             "debug/dwarf",
-	"dwarf.TagNamelistItem":                         "debug/dwarf",
-	"dwarf.TagNamespace":                            "debug/dwarf",
-	"dwarf.TagPackedType":                           "debug/dwarf",
-	"dwarf.TagPartialUnit":                          "debug/dwarf",
-	"dwarf.TagPointerType":                          "debug/dwarf",
-	"dwarf.TagPtrToMemberType":                      "debug/dwarf",
-	"dwarf.TagReferenceType":                        "debug/dwarf",
-	"dwarf.TagRestrictType":                         "debug/dwarf",
-	"dwarf.TagRvalueReferenceType":                  "debug/dwarf",
-	"dwarf.TagSetType":                              "debug/dwarf",
-	"dwarf.TagSharedType":                           "debug/dwarf",
-	"dwarf.TagStringType":                           "debug/dwarf",
-	"dwarf.TagStructType":                           "debug/dwarf",
-	"dwarf.TagSubprogram":                           "debug/dwarf",
-	"dwarf.TagSubrangeType":                         "debug/dwarf",
-	"dwarf.TagSubroutineType":                       "debug/dwarf",
-	"dwarf.TagTemplateAlias":                        "debug/dwarf",
-	"dwarf.TagTemplateTypeParameter":                "debug/dwarf",
-	"dwarf.TagTemplateValueParameter":               "debug/dwarf",
-	"dwarf.TagThrownType":                           "debug/dwarf",
-	"dwarf.TagTryDwarfBlock":                        "debug/dwarf",
-	"dwarf.TagTypeUnit":                             "debug/dwarf",
-	"dwarf.TagTypedef":                              "debug/dwarf",
-	"dwarf.TagUnionType":                            "debug/dwarf",
-	"dwarf.TagUnspecifiedParameters":                "debug/dwarf",
-	"dwarf.TagUnspecifiedType":                      "debug/dwarf",
-	"dwarf.TagVariable":                             "debug/dwarf",
-	"dwarf.TagVariant":                              "debug/dwarf",
-	"dwarf.TagVariantPart":                          "debug/dwarf",
-	"dwarf.TagVolatileType":                         "debug/dwarf",
-	"dwarf.TagWithStmt":                             "debug/dwarf",
-	"dwarf.Type":                                    "debug/dwarf",
-	"dwarf.TypedefType":                             "debug/dwarf",
-	"dwarf.UcharType":                               "debug/dwarf",
-	"dwarf.UintType":                                "debug/dwarf",
-	"dwarf.UnspecifiedType":                         "debug/dwarf",
-	"dwarf.VoidType":                                "debug/dwarf",
-	"ecdsa.GenerateKey":                             "crypto/ecdsa",
-	"ecdsa.PrivateKey":                              "crypto/ecdsa",
-	"ecdsa.PublicKey":                               "crypto/ecdsa",
-	"ecdsa.Sign":                                    "crypto/ecdsa",
-	"ecdsa.Verify":                                  "crypto/ecdsa",
-	"elf.ARM_MAGIC_TRAMP_NUMBER":                    "debug/elf",
-	"elf.COMPRESS_HIOS":                             "debug/elf",
-	"elf.COMPRESS_HIPROC":                           "debug/elf",
-	"elf.COMPRESS_LOOS":                             "debug/elf",
-	"elf.COMPRESS_LOPROC":                           "debug/elf",
-	"elf.COMPRESS_ZLIB":                             "debug/elf",
-	"elf.Chdr32":                                    "debug/elf",
-	"elf.Chdr64":                                    "debug/elf",
-	"elf.Class":                                     "debug/elf",
-	"elf.CompressionType":                           "debug/elf",
-	"elf.DF_BIND_NOW":                               "debug/elf",
-	"elf.DF_ORIGIN":                                 "debug/elf",
-	"elf.DF_STATIC_TLS":                             "debug/elf",
-	"elf.DF_SYMBOLIC":                               "debug/elf",
-	"elf.DF_TEXTREL":                                "debug/elf",
-	"elf.DT_BIND_NOW":                               "debug/elf",
-	"elf.DT_DEBUG":                                  "debug/elf",
-	"elf.DT_ENCODING":                               "debug/elf",
-	"elf.DT_FINI":                                   "debug/elf",
-	"elf.DT_FINI_ARRAY":                             "debug/elf",
-	"elf.DT_FINI_ARRAYSZ":                           "debug/elf",
-	"elf.DT_FLAGS":                                  "debug/elf",
-	"elf.DT_HASH":                                   "debug/elf",
-	"elf.DT_HIOS":                                   "debug/elf",
-	"elf.DT_HIPROC":                                 "debug/elf",
-	"elf.DT_INIT":                                   "debug/elf",
-	"elf.DT_INIT_ARRAY":                             "debug/elf",
-	"elf.DT_INIT_ARRAYSZ":                           "debug/elf",
-	"elf.DT_JMPREL":                                 "debug/elf",
-	"elf.DT_LOOS":                                   "debug/elf",
-	"elf.DT_LOPROC":                                 "debug/elf",
-	"elf.DT_NEEDED":                                 "debug/elf",
-	"elf.DT_NULL":                                   "debug/elf",
-	"elf.DT_PLTGOT":                                 "debug/elf",
-	"elf.DT_PLTREL":                                 "debug/elf",
-	"elf.DT_PLTRELSZ":                               "debug/elf",
-	"elf.DT_PREINIT_ARRAY":                          "debug/elf",
-	"elf.DT_PREINIT_ARRAYSZ":                        "debug/elf",
-	"elf.DT_REL":                                    "debug/elf",
-	"elf.DT_RELA":                                   "debug/elf",
-	"elf.DT_RELAENT":                                "debug/elf",
-	"elf.DT_RELASZ":                                 "debug/elf",
-	"elf.DT_RELENT":                                 "debug/elf",
-	"elf.DT_RELSZ":                                  "debug/elf",
-	"elf.DT_RPATH":                                  "debug/elf",
-	"elf.DT_RUNPATH":                                "debug/elf",
-	"elf.DT_SONAME":                                 "debug/elf",
-	"elf.DT_STRSZ":                                  "debug/elf",
-	"elf.DT_STRTAB":                                 "debug/elf",
-	"elf.DT_SYMBOLIC":                               "debug/elf",
-	"elf.DT_SYMENT":                                 "debug/elf",
-	"elf.DT_SYMTAB":                                 "debug/elf",
-	"elf.DT_TEXTREL":                                "debug/elf",
-	"elf.DT_VERNEED":                                "debug/elf",
-	"elf.DT_VERNEEDNUM":                             "debug/elf",
-	"elf.DT_VERSYM":                                 "debug/elf",
-	"elf.Data":                                      "debug/elf",
-	"elf.Dyn32":                                     "debug/elf",
-	"elf.Dyn64":                                     "debug/elf",
-	"elf.DynFlag":                                   "debug/elf",
-	"elf.DynTag":                                    "debug/elf",
-	"elf.EI_ABIVERSION":                             "debug/elf",
-	"elf.EI_CLASS":                                  "debug/elf",
-	"elf.EI_DATA":                                   "debug/elf",
-	"elf.EI_NIDENT":                                 "debug/elf",
-	"elf.EI_OSABI":                                  "debug/elf",
-	"elf.EI_PAD":                                    "debug/elf",
-	"elf.EI_VERSION":                                "debug/elf",
-	"elf.ELFCLASS32":                                "debug/elf",
-	"elf.ELFCLASS64":                                "debug/elf",
-	"elf.ELFCLASSNONE":                              "debug/elf",
-	"elf.ELFDATA2LSB":                               "debug/elf",
-	"elf.ELFDATA2MSB":                               "debug/elf",
-	"elf.ELFDATANONE":                               "debug/elf",
-	"elf.ELFMAG":                                    "debug/elf",
-	"elf.ELFOSABI_86OPEN":                           "debug/elf",
-	"elf.ELFOSABI_AIX":                              "debug/elf",
-	"elf.ELFOSABI_ARM":                              "debug/elf",
-	"elf.ELFOSABI_FREEBSD":                          "debug/elf",
-	"elf.ELFOSABI_HPUX":                             "debug/elf",
-	"elf.ELFOSABI_HURD":                             "debug/elf",
-	"elf.ELFOSABI_IRIX":                             "debug/elf",
-	"elf.ELFOSABI_LINUX":                            "debug/elf",
-	"elf.ELFOSABI_MODESTO":                          "debug/elf",
-	"elf.ELFOSABI_NETBSD":                           "debug/elf",
-	"elf.ELFOSABI_NONE":                             "debug/elf",
-	"elf.ELFOSABI_NSK":                              "debug/elf",
-	"elf.ELFOSABI_OPENBSD":                          "debug/elf",
-	"elf.ELFOSABI_OPENVMS":                          "debug/elf",
-	"elf.ELFOSABI_SOLARIS":                          "debug/elf",
-	"elf.ELFOSABI_STANDALONE":                       "debug/elf",
-	"elf.ELFOSABI_TRU64":                            "debug/elf",
-	"elf.EM_386":                                    "debug/elf",
-	"elf.EM_486":                                    "debug/elf",
-	"elf.EM_68HC12":                                 "debug/elf",
-	"elf.EM_68K":                                    "debug/elf",
-	"elf.EM_860":                                    "debug/elf",
-	"elf.EM_88K":                                    "debug/elf",
-	"elf.EM_960":                                    "debug/elf",
-	"elf.EM_AARCH64":                                "debug/elf",
-	"elf.EM_ALPHA":                                  "debug/elf",
-	"elf.EM_ALPHA_STD":                              "debug/elf",
-	"elf.EM_ARC":                                    "debug/elf",
-	"elf.EM_ARM":                                    "debug/elf",
-	"elf.EM_COLDFIRE":                               "debug/elf",
-	"elf.EM_FR20":                                   "debug/elf",
-	"elf.EM_H8S":                                    "debug/elf",
-	"elf.EM_H8_300":                                 "debug/elf",
-	"elf.EM_H8_300H":                                "debug/elf",
-	"elf.EM_H8_500":                                 "debug/elf",
-	"elf.EM_IA_64":                                  "debug/elf",
-	"elf.EM_M32":                                    "debug/elf",
-	"elf.EM_ME16":                                   "debug/elf",
-	"elf.EM_MIPS":                                   "debug/elf",
-	"elf.EM_MIPS_RS3_LE":                            "debug/elf",
-	"elf.EM_MIPS_RS4_BE":                            "debug/elf",
-	"elf.EM_MIPS_X":                                 "debug/elf",
-	"elf.EM_MMA":                                    "debug/elf",
-	"elf.EM_NCPU":                                   "debug/elf",
-	"elf.EM_NDR1":                                   "debug/elf",
-	"elf.EM_NONE":                                   "debug/elf",
-	"elf.EM_PARISC":                                 "debug/elf",
-	"elf.EM_PCP":                                    "debug/elf",
-	"elf.EM_PPC":                                    "debug/elf",
-	"elf.EM_PPC64":                                  "debug/elf",
-	"elf.EM_RCE":                                    "debug/elf",
-	"elf.EM_RH32":                                   "debug/elf",
-	"elf.EM_S370":                                   "debug/elf",
-	"elf.EM_S390":                                   "debug/elf",
-	"elf.EM_SH":                                     "debug/elf",
-	"elf.EM_SPARC":                                  "debug/elf",
-	"elf.EM_SPARC32PLUS":                            "debug/elf",
-	"elf.EM_SPARCV9":                                "debug/elf",
-	"elf.EM_ST100":                                  "debug/elf",
-	"elf.EM_STARCORE":                               "debug/elf",
-	"elf.EM_TINYJ":                                  "debug/elf",
-	"elf.EM_TRICORE":                                "debug/elf",
-	"elf.EM_V800":                                   "debug/elf",
-	"elf.EM_VPP500":                                 "debug/elf",
-	"elf.EM_X86_64":                                 "debug/elf",
-	"elf.ET_CORE":                                   "debug/elf",
-	"elf.ET_DYN":                                    "debug/elf",
-	"elf.ET_EXEC":                                   "debug/elf",
-	"elf.ET_HIOS":                                   "debug/elf",
-	"elf.ET_HIPROC":                                 "debug/elf",
-	"elf.ET_LOOS":                                   "debug/elf",
-	"elf.ET_LOPROC":                                 "debug/elf",
-	"elf.ET_NONE":                                   "debug/elf",
-	"elf.ET_REL":                                    "debug/elf",
-	"elf.EV_CURRENT":                                "debug/elf",
-	"elf.EV_NONE":                                   "debug/elf",
-	"elf.ErrNoSymbols":                              "debug/elf",
-	"elf.File":                                      "debug/elf",
-	"elf.FileHeader":                                "debug/elf",
-	"elf.FormatError":                               "debug/elf",
-	"elf.Header32":                                  "debug/elf",
-	"elf.Header64":                                  "debug/elf",
-	"elf.ImportedSymbol":                            "debug/elf",
-	"elf.Machine":                                   "debug/elf",
-	"elf.NT_FPREGSET":                               "debug/elf",
-	"elf.NT_PRPSINFO":                               "debug/elf",
-	"elf.NT_PRSTATUS":                               "debug/elf",
-	"elf.NType":                                     "debug/elf",
-	"elf.NewFile":                                   "debug/elf",
-	"elf.OSABI":                                     "debug/elf",
-	"elf.Open":                                      "debug/elf",
-	"elf.PF_MASKOS":                                 "debug/elf",
-	"elf.PF_MASKPROC":                               "debug/elf",
-	"elf.PF_R":                                      "debug/elf",
-	"elf.PF_W":                                      "debug/elf",
-	"elf.PF_X":                                      "debug/elf",
-	"elf.PT_DYNAMIC":                                "debug/elf",
-	"elf.PT_HIOS":                                   "debug/elf",
-	"elf.PT_HIPROC":                                 "debug/elf",
-	"elf.PT_INTERP":                                 "debug/elf",
-	"elf.PT_LOAD":                                   "debug/elf",
-	"elf.PT_LOOS":                                   "debug/elf",
-	"elf.PT_LOPROC":                                 "debug/elf",
-	"elf.PT_NOTE":                                   "debug/elf",
-	"elf.PT_NULL":                                   "debug/elf",
-	"elf.PT_PHDR":                                   "debug/elf",
-	"elf.PT_SHLIB":                                  "debug/elf",
-	"elf.PT_TLS":                                    "debug/elf",
-	"elf.Prog":                                      "debug/elf",
-	"elf.Prog32":                                    "debug/elf",
-	"elf.Prog64":                                    "debug/elf",
-	"elf.ProgFlag":                                  "debug/elf",
-	"elf.ProgHeader":                                "debug/elf",
-	"elf.ProgType":                                  "debug/elf",
-	"elf.R_386":                                     "debug/elf",
-	"elf.R_386_32":                                  "debug/elf",
-	"elf.R_386_COPY":                                "debug/elf",
-	"elf.R_386_GLOB_DAT":                            "debug/elf",
-	"elf.R_386_GOT32":                               "debug/elf",
-	"elf.R_386_GOTOFF":                              "debug/elf",
-	"elf.R_386_GOTPC":                               "debug/elf",
-	"elf.R_386_JMP_SLOT":                            "debug/elf",
-	"elf.R_386_NONE":                                "debug/elf",
-	"elf.R_386_PC32":                                "debug/elf",
-	"elf.R_386_PLT32":                               "debug/elf",
-	"elf.R_386_RELATIVE":                            "debug/elf",
-	"elf.R_386_TLS_DTPMOD32":                        "debug/elf",
-	"elf.R_386_TLS_DTPOFF32":                        "debug/elf",
-	"elf.R_386_TLS_GD":                              "debug/elf",
-	"elf.R_386_TLS_GD_32":                           "debug/elf",
-	"elf.R_386_TLS_GD_CALL":                         "debug/elf",
-	"elf.R_386_TLS_GD_POP":                          "debug/elf",
-	"elf.R_386_TLS_GD_PUSH":                         "debug/elf",
-	"elf.R_386_TLS_GOTIE":                           "debug/elf",
-	"elf.R_386_TLS_IE":                              "debug/elf",
-	"elf.R_386_TLS_IE_32":                           "debug/elf",
-	"elf.R_386_TLS_LDM":                             "debug/elf",
-	"elf.R_386_TLS_LDM_32":                          "debug/elf",
-	"elf.R_386_TLS_LDM_CALL":                        "debug/elf",
-	"elf.R_386_TLS_LDM_POP":                         "debug/elf",
-	"elf.R_386_TLS_LDM_PUSH":                        "debug/elf",
-	"elf.R_386_TLS_LDO_32":                          "debug/elf",
-	"elf.R_386_TLS_LE":                              "debug/elf",
-	"elf.R_386_TLS_LE_32":                           "debug/elf",
-	"elf.R_386_TLS_TPOFF":                           "debug/elf",
-	"elf.R_386_TLS_TPOFF32":                         "debug/elf",
-	"elf.R_AARCH64":                                 "debug/elf",
-	"elf.R_AARCH64_ABS16":                           "debug/elf",
-	"elf.R_AARCH64_ABS32":                           "debug/elf",
-	"elf.R_AARCH64_ABS64":                           "debug/elf",
-	"elf.R_AARCH64_ADD_ABS_LO12_NC":                 "debug/elf",
-	"elf.R_AARCH64_ADR_GOT_PAGE":                    "debug/elf",
-	"elf.R_AARCH64_ADR_PREL_LO21":                   "debug/elf",
-	"elf.R_AARCH64_ADR_PREL_PG_HI21":                "debug/elf",
-	"elf.R_AARCH64_ADR_PREL_PG_HI21_NC":             "debug/elf",
-	"elf.R_AARCH64_CALL26":                          "debug/elf",
-	"elf.R_AARCH64_CONDBR19":                        "debug/elf",
-	"elf.R_AARCH64_COPY":                            "debug/elf",
-	"elf.R_AARCH64_GLOB_DAT":                        "debug/elf",
-	"elf.R_AARCH64_GOT_LD_PREL19":                   "debug/elf",
-	"elf.R_AARCH64_IRELATIVE":                       "debug/elf",
-	"elf.R_AARCH64_JUMP26":                          "debug/elf",
-	"elf.R_AARCH64_JUMP_SLOT":                       "debug/elf",
-	"elf.R_AARCH64_LD64_GOT_LO12_NC":                "debug/elf",
-	"elf.R_AARCH64_LDST128_ABS_LO12_NC":             "debug/elf",
-	"elf.R_AARCH64_LDST16_ABS_LO12_NC":              "debug/elf",
-	"elf.R_AARCH64_LDST32_ABS_LO12_NC":              "debug/elf",
-	"elf.R_AARCH64_LDST64_ABS_LO12_NC":              "debug/elf",
-	"elf.R_AARCH64_LDST8_ABS_LO12_NC":               "debug/elf",
-	"elf.R_AARCH64_LD_PREL_LO19":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_SABS_G0":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_SABS_G1":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_SABS_G2":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G0":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G0_NC":                 "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G1":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G1_NC":                 "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G2":                    "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G2_NC":                 "debug/elf",
-	"elf.R_AARCH64_MOVW_UABS_G3":                    "debug/elf",
-	"elf.R_AARCH64_NONE":                            "debug/elf",
-	"elf.R_AARCH64_NULL":                            "debug/elf",
-	"elf.R_AARCH64_P32_ABS16":                       "debug/elf",
-	"elf.R_AARCH64_P32_ABS32":                       "debug/elf",
-	"elf.R_AARCH64_P32_ADD_ABS_LO12_NC":             "debug/elf",
-	"elf.R_AARCH64_P32_ADR_GOT_PAGE":                "debug/elf",
-	"elf.R_AARCH64_P32_ADR_PREL_LO21":               "debug/elf",
-	"elf.R_AARCH64_P32_ADR_PREL_PG_HI21":            "debug/elf",
-	"elf.R_AARCH64_P32_CALL26":                      "debug/elf",
-	"elf.R_AARCH64_P32_CONDBR19":                    "debug/elf",
-	"elf.R_AARCH64_P32_COPY":                        "debug/elf",
-	"elf.R_AARCH64_P32_GLOB_DAT":                    "debug/elf",
-	"elf.R_AARCH64_P32_GOT_LD_PREL19":               "debug/elf",
-	"elf.R_AARCH64_P32_IRELATIVE":                   "debug/elf",
-	"elf.R_AARCH64_P32_JUMP26":                      "debug/elf",
-	"elf.R_AARCH64_P32_JUMP_SLOT":                   "debug/elf",
-	"elf.R_AARCH64_P32_LD32_GOT_LO12_NC":            "debug/elf",
-	"elf.R_AARCH64_P32_LDST128_ABS_LO12_NC":         "debug/elf",
-	"elf.R_AARCH64_P32_LDST16_ABS_LO12_NC":          "debug/elf",
-	"elf.R_AARCH64_P32_LDST32_ABS_LO12_NC":          "debug/elf",
-	"elf.R_AARCH64_P32_LDST64_ABS_LO12_NC":          "debug/elf",
-	"elf.R_AARCH64_P32_LDST8_ABS_LO12_NC":           "debug/elf",
-	"elf.R_AARCH64_P32_LD_PREL_LO19":                "debug/elf",
-	"elf.R_AARCH64_P32_MOVW_SABS_G0":                "debug/elf",
-	"elf.R_AARCH64_P32_MOVW_UABS_G0":                "debug/elf",
-	"elf.R_AARCH64_P32_MOVW_UABS_G0_NC":             "debug/elf",
-	"elf.R_AARCH64_P32_MOVW_UABS_G1":                "debug/elf",
-	"elf.R_AARCH64_P32_PREL16":                      "debug/elf",
-	"elf.R_AARCH64_P32_PREL32":                      "debug/elf",
-	"elf.R_AARCH64_P32_RELATIVE":                    "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC":                     "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC_ADD_LO12_NC":         "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC_ADR_PAGE21":          "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC_ADR_PREL21":          "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC_CALL":                "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC_LD32_LO12_NC":        "debug/elf",
-	"elf.R_AARCH64_P32_TLSDESC_LD_PREL19":           "debug/elf",
-	"elf.R_AARCH64_P32_TLSGD_ADD_LO12_NC":           "debug/elf",
-	"elf.R_AARCH64_P32_TLSGD_ADR_PAGE21":            "debug/elf",
-	"elf.R_AARCH64_P32_TLSIE_ADR_GOTTPREL_PAGE21":   "debug/elf",
-	"elf.R_AARCH64_P32_TLSIE_LD32_GOTTPREL_LO12_NC": "debug/elf",
-	"elf.R_AARCH64_P32_TLSIE_LD_GOTTPREL_PREL19":    "debug/elf",
-	"elf.R_AARCH64_P32_TLSLE_ADD_TPREL_HI12":        "debug/elf",
-	"elf.R_AARCH64_P32_TLSLE_ADD_TPREL_LO12":        "debug/elf",
-	"elf.R_AARCH64_P32_TLSLE_ADD_TPREL_LO12_NC":     "debug/elf",
-	"elf.R_AARCH64_P32_TLSLE_MOVW_TPREL_G0":         "debug/elf",
-	"elf.R_AARCH64_P32_TLSLE_MOVW_TPREL_G0_NC":      "debug/elf",
-	"elf.R_AARCH64_P32_TLSLE_MOVW_TPREL_G1":         "debug/elf",
-	"elf.R_AARCH64_P32_TLS_DTPMOD":                  "debug/elf",
-	"elf.R_AARCH64_P32_TLS_DTPREL":                  "debug/elf",
-	"elf.R_AARCH64_P32_TLS_TPREL":                   "debug/elf",
-	"elf.R_AARCH64_P32_TSTBR14":                     "debug/elf",
-	"elf.R_AARCH64_PREL16":                          "debug/elf",
-	"elf.R_AARCH64_PREL32":                          "debug/elf",
-	"elf.R_AARCH64_PREL64":                          "debug/elf",
-	"elf.R_AARCH64_RELATIVE":                        "debug/elf",
-	"elf.R_AARCH64_TLSDESC":                         "debug/elf",
-	"elf.R_AARCH64_TLSDESC_ADD":                     "debug/elf",
-	"elf.R_AARCH64_TLSDESC_ADD_LO12_NC":             "debug/elf",
-	"elf.R_AARCH64_TLSDESC_ADR_PAGE21":              "debug/elf",
-	"elf.R_AARCH64_TLSDESC_ADR_PREL21":              "debug/elf",
-	"elf.R_AARCH64_TLSDESC_CALL":                    "debug/elf",
-	"elf.R_AARCH64_TLSDESC_LD64_LO12_NC":            "debug/elf",
-	"elf.R_AARCH64_TLSDESC_LDR":                     "debug/elf",
-	"elf.R_AARCH64_TLSDESC_LD_PREL19":               "debug/elf",
-	"elf.R_AARCH64_TLSDESC_OFF_G0_NC":               "debug/elf",
-	"elf.R_AARCH64_TLSDESC_OFF_G1":                  "debug/elf",
-	"elf.R_AARCH64_TLSGD_ADD_LO12_NC":               "debug/elf",
-	"elf.R_AARCH64_TLSGD_ADR_PAGE21":                "debug/elf",
-	"elf.R_AARCH64_TLSIE_ADR_GOTTPREL_PAGE21":       "debug/elf",
-	"elf.R_AARCH64_TLSIE_LD64_GOTTPREL_LO12_NC":     "debug/elf",
-	"elf.R_AARCH64_TLSIE_LD_GOTTPREL_PREL19":        "debug/elf",
-	"elf.R_AARCH64_TLSIE_MOVW_GOTTPREL_G0_NC":       "debug/elf",
-	"elf.R_AARCH64_TLSIE_MOVW_GOTTPREL_G1":          "debug/elf",
-	"elf.R_AARCH64_TLSLE_ADD_TPREL_HI12":            "debug/elf",
-	"elf.R_AARCH64_TLSLE_ADD_TPREL_LO12":            "debug/elf",
-	"elf.R_AARCH64_TLSLE_ADD_TPREL_LO12_NC":         "debug/elf",
-	"elf.R_AARCH64_TLSLE_MOVW_TPREL_G0":             "debug/elf",
-	"elf.R_AARCH64_TLSLE_MOVW_TPREL_G0_NC":          "debug/elf",
-	"elf.R_AARCH64_TLSLE_MOVW_TPREL_G1":             "debug/elf",
-	"elf.R_AARCH64_TLSLE_MOVW_TPREL_G1_NC":          "debug/elf",
-	"elf.R_AARCH64_TLSLE_MOVW_TPREL_G2":             "debug/elf",
-	"elf.R_AARCH64_TLS_DTPMOD64":                    "debug/elf",
-	"elf.R_AARCH64_TLS_DTPREL64":                    "debug/elf",
-	"elf.R_AARCH64_TLS_TPREL64":                     "debug/elf",
-	"elf.R_AARCH64_TSTBR14":                         "debug/elf",
-	"elf.R_ALPHA":                                   "debug/elf",
-	"elf.R_ALPHA_BRADDR":                            "debug/elf",
-	"elf.R_ALPHA_COPY":                              "debug/elf",
-	"elf.R_ALPHA_GLOB_DAT":                          "debug/elf",
-	"elf.R_ALPHA_GPDISP":                            "debug/elf",
-	"elf.R_ALPHA_GPREL32":                           "debug/elf",
-	"elf.R_ALPHA_GPRELHIGH":                         "debug/elf",
-	"elf.R_ALPHA_GPRELLOW":                          "debug/elf",
-	"elf.R_ALPHA_GPVALUE":                           "debug/elf",
-	"elf.R_ALPHA_HINT":                              "debug/elf",
-	"elf.R_ALPHA_IMMED_BR_HI32":                     "debug/elf",
-	"elf.R_ALPHA_IMMED_GP_16":                       "debug/elf",
-	"elf.R_ALPHA_IMMED_GP_HI32":                     "debug/elf",
-	"elf.R_ALPHA_IMMED_LO32":                        "debug/elf",
-	"elf.R_ALPHA_IMMED_SCN_HI32":                    "debug/elf",
-	"elf.R_ALPHA_JMP_SLOT":                          "debug/elf",
-	"elf.R_ALPHA_LITERAL":                           "debug/elf",
-	"elf.R_ALPHA_LITUSE":                            "debug/elf",
-	"elf.R_ALPHA_NONE":                              "debug/elf",
-	"elf.R_ALPHA_OP_PRSHIFT":                        "debug/elf",
-	"elf.R_ALPHA_OP_PSUB":                           "debug/elf",
-	"elf.R_ALPHA_OP_PUSH":                           "debug/elf",
-	"elf.R_ALPHA_OP_STORE":                          "debug/elf",
-	"elf.R_ALPHA_REFLONG":                           "debug/elf",
-	"elf.R_ALPHA_REFQUAD":                           "debug/elf",
-	"elf.R_ALPHA_RELATIVE":                          "debug/elf",
-	"elf.R_ALPHA_SREL16":                            "debug/elf",
-	"elf.R_ALPHA_SREL32":                            "debug/elf",
-	"elf.R_ALPHA_SREL64":                            "debug/elf",
-	"elf.R_ARM":                                     "debug/elf",
-	"elf.R_ARM_ABS12":                               "debug/elf",
-	"elf.R_ARM_ABS16":                               "debug/elf",
-	"elf.R_ARM_ABS32":                               "debug/elf",
-	"elf.R_ARM_ABS8":                                "debug/elf",
-	"elf.R_ARM_AMP_VCALL9":                          "debug/elf",
-	"elf.R_ARM_COPY":                                "debug/elf",
-	"elf.R_ARM_GLOB_DAT":                            "debug/elf",
-	"elf.R_ARM_GNU_VTENTRY":                         "debug/elf",
-	"elf.R_ARM_GNU_VTINHERIT":                       "debug/elf",
-	"elf.R_ARM_GOT32":                               "debug/elf",
-	"elf.R_ARM_GOTOFF":                              "debug/elf",
-	"elf.R_ARM_GOTPC":                               "debug/elf",
-	"elf.R_ARM_JUMP_SLOT":                           "debug/elf",
-	"elf.R_ARM_NONE":                                "debug/elf",
-	"elf.R_ARM_PC13":                                "debug/elf",
-	"elf.R_ARM_PC24":                                "debug/elf",
-	"elf.R_ARM_PLT32":                               "debug/elf",
-	"elf.R_ARM_RABS32":                              "debug/elf",
-	"elf.R_ARM_RBASE":                               "debug/elf",
-	"elf.R_ARM_REL32":                               "debug/elf",
-	"elf.R_ARM_RELATIVE":                            "debug/elf",
-	"elf.R_ARM_RPC24":                               "debug/elf",
-	"elf.R_ARM_RREL32":                              "debug/elf",
-	"elf.R_ARM_RSBREL32":                            "debug/elf",
-	"elf.R_ARM_SBREL32":                             "debug/elf",
-	"elf.R_ARM_SWI24":                               "debug/elf",
-	"elf.R_ARM_THM_ABS5":                            "debug/elf",
-	"elf.R_ARM_THM_PC22":                            "debug/elf",
-	"elf.R_ARM_THM_PC8":                             "debug/elf",
-	"elf.R_ARM_THM_RPC22":                           "debug/elf",
-	"elf.R_ARM_THM_SWI8":                            "debug/elf",
-	"elf.R_ARM_THM_XPC22":                           "debug/elf",
-	"elf.R_ARM_XPC25":                               "debug/elf",
-	"elf.R_INFO":                                    "debug/elf",
-	"elf.R_INFO32":                                  "debug/elf",
-	"elf.R_MIPS":                                    "debug/elf",
-	"elf.R_MIPS_16":                                 "debug/elf",
-	"elf.R_MIPS_26":                                 "debug/elf",
-	"elf.R_MIPS_32":                                 "debug/elf",
-	"elf.R_MIPS_64":                                 "debug/elf",
-	"elf.R_MIPS_ADD_IMMEDIATE":                      "debug/elf",
-	"elf.R_MIPS_CALL16":                             "debug/elf",
-	"elf.R_MIPS_CALL_HI16":                          "debug/elf",
-	"elf.R_MIPS_CALL_LO16":                          "debug/elf",
-	"elf.R_MIPS_DELETE":                             "debug/elf",
-	"elf.R_MIPS_GOT16":                              "debug/elf",
-	"elf.R_MIPS_GOT_DISP":                           "debug/elf",
-	"elf.R_MIPS_GOT_HI16":                           "debug/elf",
-	"elf.R_MIPS_GOT_LO16":                           "debug/elf",
-	"elf.R_MIPS_GOT_OFST":                           "debug/elf",
-	"elf.R_MIPS_GOT_PAGE":                           "debug/elf",
-	"elf.R_MIPS_GPREL16":                            "debug/elf",
-	"elf.R_MIPS_GPREL32":                            "debug/elf",
-	"elf.R_MIPS_HI16":                               "debug/elf",
-	"elf.R_MIPS_HIGHER":                             "debug/elf",
-	"elf.R_MIPS_HIGHEST":                            "debug/elf",
-	"elf.R_MIPS_INSERT_A":                           "debug/elf",
-	"elf.R_MIPS_INSERT_B":                           "debug/elf",
-	"elf.R_MIPS_JALR":                               "debug/elf",
-	"elf.R_MIPS_LITERAL":                            "debug/elf",
-	"elf.R_MIPS_LO16":                               "debug/elf",
-	"elf.R_MIPS_NONE":                               "debug/elf",
-	"elf.R_MIPS_PC16":                               "debug/elf",
-	"elf.R_MIPS_PJUMP":                              "debug/elf",
-	"elf.R_MIPS_REL16":                              "debug/elf",
-	"elf.R_MIPS_REL32":                              "debug/elf",
-	"elf.R_MIPS_RELGOT":                             "debug/elf",
-	"elf.R_MIPS_SCN_DISP":                           "debug/elf",
-	"elf.R_MIPS_SHIFT5":                             "debug/elf",
-	"elf.R_MIPS_SHIFT6":                             "debug/elf",
-	"elf.R_MIPS_SUB":                                "debug/elf",
-	"elf.R_MIPS_TLS_DTPMOD32":                       "debug/elf",
-	"elf.R_MIPS_TLS_DTPMOD64":                       "debug/elf",
-	"elf.R_MIPS_TLS_DTPREL32":                       "debug/elf",
-	"elf.R_MIPS_TLS_DTPREL64":                       "debug/elf",
-	"elf.R_MIPS_TLS_DTPREL_HI16":                    "debug/elf",
-	"elf.R_MIPS_TLS_DTPREL_LO16":                    "debug/elf",
-	"elf.R_MIPS_TLS_GD":                             "debug/elf",
-	"elf.R_MIPS_TLS_GOTTPREL":                       "debug/elf",
-	"elf.R_MIPS_TLS_LDM":                            "debug/elf",
-	"elf.R_MIPS_TLS_TPREL32":                        "debug/elf",
-	"elf.R_MIPS_TLS_TPREL64":                        "debug/elf",
-	"elf.R_MIPS_TLS_TPREL_HI16":                     "debug/elf",
-	"elf.R_MIPS_TLS_TPREL_LO16":                     "debug/elf",
-	"elf.R_PPC":                                     "debug/elf",
-	"elf.R_PPC64":                                   "debug/elf",
-	"elf.R_PPC64_ADDR14":                            "debug/elf",
-	"elf.R_PPC64_ADDR14_BRNTAKEN":                   "debug/elf",
-	"elf.R_PPC64_ADDR14_BRTAKEN":                    "debug/elf",
-	"elf.R_PPC64_ADDR16":                            "debug/elf",
-	"elf.R_PPC64_ADDR16_DS":                         "debug/elf",
-	"elf.R_PPC64_ADDR16_HA":                         "debug/elf",
-	"elf.R_PPC64_ADDR16_HI":                         "debug/elf",
-	"elf.R_PPC64_ADDR16_HIGHER":                     "debug/elf",
-	"elf.R_PPC64_ADDR16_HIGHERA":                    "debug/elf",
-	"elf.R_PPC64_ADDR16_HIGHEST":                    "debug/elf",
-	"elf.R_PPC64_ADDR16_HIGHESTA":                   "debug/elf",
-	"elf.R_PPC64_ADDR16_LO":                         "debug/elf",
-	"elf.R_PPC64_ADDR16_LO_DS":                      "debug/elf",
-	"elf.R_PPC64_ADDR24":                            "debug/elf",
-	"elf.R_PPC64_ADDR32":                            "debug/elf",
-	"elf.R_PPC64_ADDR64":                            "debug/elf",
-	"elf.R_PPC64_DTPMOD64":                          "debug/elf",
-	"elf.R_PPC64_DTPREL16":                          "debug/elf",
-	"elf.R_PPC64_DTPREL16_DS":                       "debug/elf",
-	"elf.R_PPC64_DTPREL16_HA":                       "debug/elf",
-	"elf.R_PPC64_DTPREL16_HI":                       "debug/elf",
-	"elf.R_PPC64_DTPREL16_HIGHER":                   "debug/elf",
-	"elf.R_PPC64_DTPREL16_HIGHERA":                  "debug/elf",
-	"elf.R_PPC64_DTPREL16_HIGHEST":                  "debug/elf",
-	"elf.R_PPC64_DTPREL16_HIGHESTA":                 "debug/elf",
-	"elf.R_PPC64_DTPREL16_LO":                       "debug/elf",
-	"elf.R_PPC64_DTPREL16_LO_DS":                    "debug/elf",
-	"elf.R_PPC64_DTPREL64":                          "debug/elf",
-	"elf.R_PPC64_GOT16":                             "debug/elf",
-	"elf.R_PPC64_GOT16_DS":                          "debug/elf",
-	"elf.R_PPC64_GOT16_HA":                          "debug/elf",
-	"elf.R_PPC64_GOT16_HI":                          "debug/elf",
-	"elf.R_PPC64_GOT16_LO":                          "debug/elf",
-	"elf.R_PPC64_GOT16_LO_DS":                       "debug/elf",
-	"elf.R_PPC64_GOT_DTPREL16_DS":                   "debug/elf",
-	"elf.R_PPC64_GOT_DTPREL16_HA":                   "debug/elf",
-	"elf.R_PPC64_GOT_DTPREL16_HI":                   "debug/elf",
-	"elf.R_PPC64_GOT_DTPREL16_LO_DS":                "debug/elf",
-	"elf.R_PPC64_GOT_TLSGD16":                       "debug/elf",
-	"elf.R_PPC64_GOT_TLSGD16_HA":                    "debug/elf",
-	"elf.R_PPC64_GOT_TLSGD16_HI":                    "debug/elf",
-	"elf.R_PPC64_GOT_TLSGD16_LO":                    "debug/elf",
-	"elf.R_PPC64_GOT_TLSLD16":                       "debug/elf",
-	"elf.R_PPC64_GOT_TLSLD16_HA":                    "debug/elf",
-	"elf.R_PPC64_GOT_TLSLD16_HI":                    "debug/elf",
-	"elf.R_PPC64_GOT_TLSLD16_LO":                    "debug/elf",
-	"elf.R_PPC64_GOT_TPREL16_DS":                    "debug/elf",
-	"elf.R_PPC64_GOT_TPREL16_HA":                    "debug/elf",
-	"elf.R_PPC64_GOT_TPREL16_HI":                    "debug/elf",
-	"elf.R_PPC64_GOT_TPREL16_LO_DS":                 "debug/elf",
-	"elf.R_PPC64_JMP_SLOT":                          "debug/elf",
-	"elf.R_PPC64_NONE":                              "debug/elf",
-	"elf.R_PPC64_REL14":                             "debug/elf",
-	"elf.R_PPC64_REL14_BRNTAKEN":                    "debug/elf",
-	"elf.R_PPC64_REL14_BRTAKEN":                     "debug/elf",
-	"elf.R_PPC64_REL16":                             "debug/elf",
-	"elf.R_PPC64_REL16_HA":                          "debug/elf",
-	"elf.R_PPC64_REL16_HI":                          "debug/elf",
-	"elf.R_PPC64_REL16_LO":                          "debug/elf",
-	"elf.R_PPC64_REL24":                             "debug/elf",
-	"elf.R_PPC64_REL32":                             "debug/elf",
-	"elf.R_PPC64_REL64":                             "debug/elf",
-	"elf.R_PPC64_TLS":                               "debug/elf",
-	"elf.R_PPC64_TLSGD":                             "debug/elf",
-	"elf.R_PPC64_TLSLD":                             "debug/elf",
-	"elf.R_PPC64_TOC":                               "debug/elf",
-	"elf.R_PPC64_TOC16":                             "debug/elf",
-	"elf.R_PPC64_TOC16_DS":                          "debug/elf",
-	"elf.R_PPC64_TOC16_HA":                          "debug/elf",
-	"elf.R_PPC64_TOC16_HI":                          "debug/elf",
-	"elf.R_PPC64_TOC16_LO":                          "debug/elf",
-	"elf.R_PPC64_TOC16_LO_DS":                       "debug/elf",
-	"elf.R_PPC64_TPREL16":                           "debug/elf",
-	"elf.R_PPC64_TPREL16_DS":                        "debug/elf",
-	"elf.R_PPC64_TPREL16_HA":                        "debug/elf",
-	"elf.R_PPC64_TPREL16_HI":                        "debug/elf",
-	"elf.R_PPC64_TPREL16_HIGHER":                    "debug/elf",
-	"elf.R_PPC64_TPREL16_HIGHERA":                   "debug/elf",
-	"elf.R_PPC64_TPREL16_HIGHEST":                   "debug/elf",
-	"elf.R_PPC64_TPREL16_HIGHESTA":                  "debug/elf",
-	"elf.R_PPC64_TPREL16_LO":                        "debug/elf",
-	"elf.R_PPC64_TPREL16_LO_DS":                     "debug/elf",
-	"elf.R_PPC64_TPREL64":                           "debug/elf",
-	"elf.R_PPC_ADDR14":                              "debug/elf",
-	"elf.R_PPC_ADDR14_BRNTAKEN":                     "debug/elf",
-	"elf.R_PPC_ADDR14_BRTAKEN":                      "debug/elf",
-	"elf.R_PPC_ADDR16":                              "debug/elf",
-	"elf.R_PPC_ADDR16_HA":                           "debug/elf",
-	"elf.R_PPC_ADDR16_HI":                           "debug/elf",
-	"elf.R_PPC_ADDR16_LO":                           "debug/elf",
-	"elf.R_PPC_ADDR24":                              "debug/elf",
-	"elf.R_PPC_ADDR32":                              "debug/elf",
-	"elf.R_PPC_COPY":                                "debug/elf",
-	"elf.R_PPC_DTPMOD32":                            "debug/elf",
-	"elf.R_PPC_DTPREL16":                            "debug/elf",
-	"elf.R_PPC_DTPREL16_HA":                         "debug/elf",
-	"elf.R_PPC_DTPREL16_HI":                         "debug/elf",
-	"elf.R_PPC_DTPREL16_LO":                         "debug/elf",
-	"elf.R_PPC_DTPREL32":                            "debug/elf",
-	"elf.R_PPC_EMB_BIT_FLD":                         "debug/elf",
-	"elf.R_PPC_EMB_MRKREF":                          "debug/elf",
-	"elf.R_PPC_EMB_NADDR16":                         "debug/elf",
-	"elf.R_PPC_EMB_NADDR16_HA":                      "debug/elf",
-	"elf.R_PPC_EMB_NADDR16_HI":                      "debug/elf",
-	"elf.R_PPC_EMB_NADDR16_LO":                      "debug/elf",
-	"elf.R_PPC_EMB_NADDR32":                         "debug/elf",
-	"elf.R_PPC_EMB_RELSDA":                          "debug/elf",
-	"elf.R_PPC_EMB_RELSEC16":                        "debug/elf",
-	"elf.R_PPC_EMB_RELST_HA":                        "debug/elf",
-	"elf.R_PPC_EMB_RELST_HI":                        "debug/elf",
-	"elf.R_PPC_EMB_RELST_LO":                        "debug/elf",
-	"elf.R_PPC_EMB_SDA21":                           "debug/elf",
-	"elf.R_PPC_EMB_SDA2I16":                         "debug/elf",
-	"elf.R_PPC_EMB_SDA2REL":                         "debug/elf",
-	"elf.R_PPC_EMB_SDAI16":                          "debug/elf",
-	"elf.R_PPC_GLOB_DAT":                            "debug/elf",
-	"elf.R_PPC_GOT16":                               "debug/elf",
-	"elf.R_PPC_GOT16_HA":                            "debug/elf",
-	"elf.R_PPC_GOT16_HI":                            "debug/elf",
-	"elf.R_PPC_GOT16_LO":                            "debug/elf",
-	"elf.R_PPC_GOT_TLSGD16":                         "debug/elf",
-	"elf.R_PPC_GOT_TLSGD16_HA":                      "debug/elf",
-	"elf.R_PPC_GOT_TLSGD16_HI":                      "debug/elf",
-	"elf.R_PPC_GOT_TLSGD16_LO":                      "debug/elf",
-	"elf.R_PPC_GOT_TLSLD16":                         "debug/elf",
-	"elf.R_PPC_GOT_TLSLD16_HA":                      "debug/elf",
-	"elf.R_PPC_GOT_TLSLD16_HI":                      "debug/elf",
-	"elf.R_PPC_GOT_TLSLD16_LO":                      "debug/elf",
-	"elf.R_PPC_GOT_TPREL16":                         "debug/elf",
-	"elf.R_PPC_GOT_TPREL16_HA":                      "debug/elf",
-	"elf.R_PPC_GOT_TPREL16_HI":                      "debug/elf",
-	"elf.R_PPC_GOT_TPREL16_LO":                      "debug/elf",
-	"elf.R_PPC_JMP_SLOT":                            "debug/elf",
-	"elf.R_PPC_LOCAL24PC":                           "debug/elf",
-	"elf.R_PPC_NONE":                                "debug/elf",
-	"elf.R_PPC_PLT16_HA":                            "debug/elf",
-	"elf.R_PPC_PLT16_HI":                            "debug/elf",
-	"elf.R_PPC_PLT16_LO":                            "debug/elf",
-	"elf.R_PPC_PLT32":                               "debug/elf",
-	"elf.R_PPC_PLTREL24":                            "debug/elf",
-	"elf.R_PPC_PLTREL32":                            "debug/elf",
-	"elf.R_PPC_REL14":                               "debug/elf",
-	"elf.R_PPC_REL14_BRNTAKEN":                      "debug/elf",
-	"elf.R_PPC_REL14_BRTAKEN":                       "debug/elf",
-	"elf.R_PPC_REL24":                               "debug/elf",
-	"elf.R_PPC_REL32":                               "debug/elf",
-	"elf.R_PPC_RELATIVE":                            "debug/elf",
-	"elf.R_PPC_SDAREL16":                            "debug/elf",
-	"elf.R_PPC_SECTOFF":                             "debug/elf",
-	"elf.R_PPC_SECTOFF_HA":                          "debug/elf",
-	"elf.R_PPC_SECTOFF_HI":                          "debug/elf",
-	"elf.R_PPC_SECTOFF_LO":                          "debug/elf",
-	"elf.R_PPC_TLS":                                 "debug/elf",
-	"elf.R_PPC_TPREL16":                             "debug/elf",
-	"elf.R_PPC_TPREL16_HA":                          "debug/elf",
-	"elf.R_PPC_TPREL16_HI":                          "debug/elf",
-	"elf.R_PPC_TPREL16_LO":                          "debug/elf",
-	"elf.R_PPC_TPREL32":                             "debug/elf",
-	"elf.R_PPC_UADDR16":                             "debug/elf",
-	"elf.R_PPC_UADDR32":                             "debug/elf",
-	"elf.R_SPARC":                                   "debug/elf",
-	"elf.R_SPARC_10":                                "debug/elf",
-	"elf.R_SPARC_11":                                "debug/elf",
-	"elf.R_SPARC_13":                                "debug/elf",
-	"elf.R_SPARC_16":                                "debug/elf",
-	"elf.R_SPARC_22":                                "debug/elf",
-	"elf.R_SPARC_32":                                "debug/elf",
-	"elf.R_SPARC_5":                                 "debug/elf",
-	"elf.R_SPARC_6":                                 "debug/elf",
-	"elf.R_SPARC_64":                                "debug/elf",
-	"elf.R_SPARC_7":                                 "debug/elf",
-	"elf.R_SPARC_8":                                 "debug/elf",
-	"elf.R_SPARC_COPY":                              "debug/elf",
-	"elf.R_SPARC_DISP16":                            "debug/elf",
-	"elf.R_SPARC_DISP32":                            "debug/elf",
-	"elf.R_SPARC_DISP64":                            "debug/elf",
-	"elf.R_SPARC_DISP8":                             "debug/elf",
-	"elf.R_SPARC_GLOB_DAT":                          "debug/elf",
-	"elf.R_SPARC_GLOB_JMP":                          "debug/elf",
-	"elf.R_SPARC_GOT10":                             "debug/elf",
-	"elf.R_SPARC_GOT13":                             "debug/elf",
-	"elf.R_SPARC_GOT22":                             "debug/elf",
-	"elf.R_SPARC_H44":                               "debug/elf",
-	"elf.R_SPARC_HH22":                              "debug/elf",
-	"elf.R_SPARC_HI22":                              "debug/elf",
-	"elf.R_SPARC_HIPLT22":                           "debug/elf",
-	"elf.R_SPARC_HIX22":                             "debug/elf",
-	"elf.R_SPARC_HM10":                              "debug/elf",
-	"elf.R_SPARC_JMP_SLOT":                          "debug/elf",
-	"elf.R_SPARC_L44":                               "debug/elf",
-	"elf.R_SPARC_LM22":                              "debug/elf",
-	"elf.R_SPARC_LO10":                              "debug/elf",
-	"elf.R_SPARC_LOPLT10":                           "debug/elf",
-	"elf.R_SPARC_LOX10":                             "debug/elf",
-	"elf.R_SPARC_M44":                               "debug/elf",
-	"elf.R_SPARC_NONE":                              "debug/elf",
-	"elf.R_SPARC_OLO10":                             "debug/elf",
-	"elf.R_SPARC_PC10":                              "debug/elf",
-	"elf.R_SPARC_PC22":                              "debug/elf",
-	"elf.R_SPARC_PCPLT10":                           "debug/elf",
-	"elf.R_SPARC_PCPLT22":                           "debug/elf",
-	"elf.R_SPARC_PCPLT32":                           "debug/elf",
-	"elf.R_SPARC_PC_HH22":                           "debug/elf",
-	"elf.R_SPARC_PC_HM10":                           "debug/elf",
-	"elf.R_SPARC_PC_LM22":                           "debug/elf",
-	"elf.R_SPARC_PLT32":                             "debug/elf",
-	"elf.R_SPARC_PLT64":                             "debug/elf",
-	"elf.R_SPARC_REGISTER":                          "debug/elf",
-	"elf.R_SPARC_RELATIVE":                          "debug/elf",
-	"elf.R_SPARC_UA16":                              "debug/elf",
-	"elf.R_SPARC_UA32":                              "debug/elf",
-	"elf.R_SPARC_UA64":                              "debug/elf",
-	"elf.R_SPARC_WDISP16":                           "debug/elf",
-	"elf.R_SPARC_WDISP19":                           "debug/elf",
-	"elf.R_SPARC_WDISP22":                           "debug/elf",
-	"elf.R_SPARC_WDISP30":                           "debug/elf",
-	"elf.R_SPARC_WPLT30":                            "debug/elf",
-	"elf.R_SYM32":                                   "debug/elf",
-	"elf.R_SYM64":                                   "debug/elf",
-	"elf.R_TYPE32":                                  "debug/elf",
-	"elf.R_TYPE64":                                  "debug/elf",
-	"elf.R_X86_64":                                  "debug/elf",
-	"elf.R_X86_64_16":                               "debug/elf",
-	"elf.R_X86_64_32":                               "debug/elf",
-	"elf.R_X86_64_32S":                              "debug/elf",
-	"elf.R_X86_64_64":                               "debug/elf",
-	"elf.R_X86_64_8":                                "debug/elf",
-	"elf.R_X86_64_COPY":                             "debug/elf",
-	"elf.R_X86_64_DTPMOD64":                         "debug/elf",
-	"elf.R_X86_64_DTPOFF32":                         "debug/elf",
-	"elf.R_X86_64_DTPOFF64":                         "debug/elf",
-	"elf.R_X86_64_GLOB_DAT":                         "debug/elf",
-	"elf.R_X86_64_GOT32":                            "debug/elf",
-	"elf.R_X86_64_GOTPCREL":                         "debug/elf",
-	"elf.R_X86_64_GOTTPOFF":                         "debug/elf",
-	"elf.R_X86_64_JMP_SLOT":                         "debug/elf",
-	"elf.R_X86_64_NONE":                             "debug/elf",
-	"elf.R_X86_64_PC16":                             "debug/elf",
-	"elf.R_X86_64_PC32":                             "debug/elf",
-	"elf.R_X86_64_PC8":                              "debug/elf",
-	"elf.R_X86_64_PLT32":                            "debug/elf",
-	"elf.R_X86_64_RELATIVE":                         "debug/elf",
-	"elf.R_X86_64_TLSGD":                            "debug/elf",
-	"elf.R_X86_64_TLSLD":                            "debug/elf",
-	"elf.R_X86_64_TPOFF32":                          "debug/elf",
-	"elf.R_X86_64_TPOFF64":                          "debug/elf",
-	"elf.Rel32":                                     "debug/elf",
-	"elf.Rel64":                                     "debug/elf",
-	"elf.Rela32":                                    "debug/elf",
-	"elf.Rela64":                                    "debug/elf",
-	"elf.SHF_ALLOC":                                 "debug/elf",
-	"elf.SHF_COMPRESSED":                            "debug/elf",
-	"elf.SHF_EXECINSTR":                             "debug/elf",
-	"elf.SHF_GROUP":                                 "debug/elf",
-	"elf.SHF_INFO_LINK":                             "debug/elf",
-	"elf.SHF_LINK_ORDER":                            "debug/elf",
-	"elf.SHF_MASKOS":                                "debug/elf",
-	"elf.SHF_MASKPROC":                              "debug/elf",
-	"elf.SHF_MERGE":                                 "debug/elf",
-	"elf.SHF_OS_NONCONFORMING":                      "debug/elf",
-	"elf.SHF_STRINGS":                               "debug/elf",
-	"elf.SHF_TLS":                                   "debug/elf",
-	"elf.SHF_WRITE":                                 "debug/elf",
-	"elf.SHN_ABS":                                   "debug/elf",
-	"elf.SHN_COMMON":                                "debug/elf",
-	"elf.SHN_HIOS":                                  "debug/elf",
-	"elf.SHN_HIPROC":                                "debug/elf",
-	"elf.SHN_HIRESERVE":                             "debug/elf",
-	"elf.SHN_LOOS":                                  "debug/elf",
-	"elf.SHN_LOPROC":                                "debug/elf",
-	"elf.SHN_LORESERVE":                             "debug/elf",
-	"elf.SHN_UNDEF":                                 "debug/elf",
-	"elf.SHN_XINDEX":                                "debug/elf",
-	"elf.SHT_DYNAMIC":                               "debug/elf",
-	"elf.SHT_DYNSYM":                                "debug/elf",
-	"elf.SHT_FINI_ARRAY":                            "debug/elf",
-	"elf.SHT_GNU_ATTRIBUTES":                        "debug/elf",
-	"elf.SHT_GNU_HASH":                              "debug/elf",
-	"elf.SHT_GNU_LIBLIST":                           "debug/elf",
-	"elf.SHT_GNU_VERDEF":                            "debug/elf",
-	"elf.SHT_GNU_VERNEED":                           "debug/elf",
-	"elf.SHT_GNU_VERSYM":                            "debug/elf",
-	"elf.SHT_GROUP":                                 "debug/elf",
-	"elf.SHT_HASH":                                  "debug/elf",
-	"elf.SHT_HIOS":                                  "debug/elf",
-	"elf.SHT_HIPROC":                                "debug/elf",
-	"elf.SHT_HIUSER":                                "debug/elf",
-	"elf.SHT_INIT_ARRAY":                            "debug/elf",
-	"elf.SHT_LOOS":                                  "debug/elf",
-	"elf.SHT_LOPROC":                                "debug/elf",
-	"elf.SHT_LOUSER":                                "debug/elf",
-	"elf.SHT_NOBITS":                                "debug/elf",
-	"elf.SHT_NOTE":                                  "debug/elf",
-	"elf.SHT_NULL":                                  "debug/elf",
-	"elf.SHT_PREINIT_ARRAY":                         "debug/elf",
-	"elf.SHT_PROGBITS":                              "debug/elf",
-	"elf.SHT_REL":                                   "debug/elf",
-	"elf.SHT_RELA":                                  "debug/elf",
-	"elf.SHT_SHLIB":                                 "debug/elf",
-	"elf.SHT_STRTAB":                                "debug/elf",
-	"elf.SHT_SYMTAB":                                "debug/elf",
-	"elf.SHT_SYMTAB_SHNDX":                          "debug/elf",
-	"elf.STB_GLOBAL":                                "debug/elf",
-	"elf.STB_HIOS":                                  "debug/elf",
-	"elf.STB_HIPROC":                                "debug/elf",
-	"elf.STB_LOCAL":                                 "debug/elf",
-	"elf.STB_LOOS":                                  "debug/elf",
-	"elf.STB_LOPROC":                                "debug/elf",
-	"elf.STB_WEAK":                                  "debug/elf",
-	"elf.STT_COMMON":                                "debug/elf",
-	"elf.STT_FILE":                                  "debug/elf",
-	"elf.STT_FUNC":                                  "debug/elf",
-	"elf.STT_HIOS":                                  "debug/elf",
-	"elf.STT_HIPROC":                                "debug/elf",
-	"elf.STT_LOOS":                                  "debug/elf",
-	"elf.STT_LOPROC":                                "debug/elf",
-	"elf.STT_NOTYPE":                                "debug/elf",
-	"elf.STT_OBJECT":                                "debug/elf",
-	"elf.STT_SECTION":                               "debug/elf",
-	"elf.STT_TLS":                                   "debug/elf",
-	"elf.STV_DEFAULT":                               "debug/elf",
-	"elf.STV_HIDDEN":                                "debug/elf",
-	"elf.STV_INTERNAL":                              "debug/elf",
-	"elf.STV_PROTECTED":                             "debug/elf",
-	"elf.ST_BIND":                                   "debug/elf",
-	"elf.ST_INFO":                                   "debug/elf",
-	"elf.ST_TYPE":                                   "debug/elf",
-	"elf.ST_VISIBILITY":                             "debug/elf",
-	"elf.Section":                                   "debug/elf",
-	"elf.Section32":                                 "debug/elf",
-	"elf.Section64":                                 "debug/elf",
-	"elf.SectionFlag":                               "debug/elf",
-	"elf.SectionHeader":                             "debug/elf",
-	"elf.SectionIndex":                              "debug/elf",
-	"elf.SectionType":                               "debug/elf",
-	"elf.Sym32":                                     "debug/elf",
-	"elf.Sym32Size":                                 "debug/elf",
-	"elf.Sym64":                                     "debug/elf",
-	"elf.Sym64Size":                                 "debug/elf",
-	"elf.SymBind":                                   "debug/elf",
-	"elf.SymType":                                   "debug/elf",
-	"elf.SymVis":                                    "debug/elf",
-	"elf.Symbol":                                    "debug/elf",
-	"elf.Type":                                      "debug/elf",
-	"elf.Version":                                   "debug/elf",
-	"elliptic.Curve":                                "crypto/elliptic",
-	"elliptic.CurveParams":                          "crypto/elliptic",
-	"elliptic.GenerateKey":                          "crypto/elliptic",
-	"elliptic.Marshal":                              "crypto/elliptic",
-	"elliptic.P224":                                 "crypto/elliptic",
-	"elliptic.P256":                                 "crypto/elliptic",
-	"elliptic.P384":                                 "crypto/elliptic",
-	"elliptic.P521":                                 "crypto/elliptic",
-	"elliptic.Unmarshal":                            "crypto/elliptic",
-	"encoding.BinaryMarshaler":                      "encoding",
-	"encoding.BinaryUnmarshaler":                    "encoding",
-	"encoding.TextMarshaler":                        "encoding",
-	"encoding.TextUnmarshaler":                      "encoding",
-	"errors.New":                                    "errors",
-	"exec.Cmd":                                      "os/exec",
-	"exec.Command":                                  "os/exec",
-	"exec.ErrNotFound":                              "os/exec",
-	"exec.Error":                                    "os/exec",
-	"exec.ExitError":                                "os/exec",
-	"exec.LookPath":                                 "os/exec",
-	"expvar.Do":                                     "expvar",
-	"expvar.Float":                                  "expvar",
-	"expvar.Func":                                   "expvar",
-	"expvar.Get":                                    "expvar",
-	"expvar.Int":                                    "expvar",
-	"expvar.KeyValue":                               "expvar",
-	"expvar.Map":                                    "expvar",
-	"expvar.NewFloat":                               "expvar",
-	"expvar.NewInt":                                 "expvar",
-	"expvar.NewMap":                                 "expvar",
-	"expvar.NewString":                              "expvar",
-	"expvar.Publish":                                "expvar",
-	"expvar.String":                                 "expvar",
-	"expvar.Var":                                    "expvar",
-	"fcgi.ErrConnClosed":                            "net/http/fcgi",
-	"fcgi.ErrRequestAborted":                        "net/http/fcgi",
-	"fcgi.Serve":                                    "net/http/fcgi",
-	"filepath.Abs":                                  "path/filepath",
-	"filepath.Base":                                 "path/filepath",
-	"filepath.Clean":                                "path/filepath",
-	"filepath.Dir":                                  "path/filepath",
-	"filepath.ErrBadPattern":                        "path/filepath",
-	"filepath.EvalSymlinks":                         "path/filepath",
-	"filepath.Ext":                                  "path/filepath",
-	"filepath.FromSlash":                            "path/filepath",
-	"filepath.Glob":                                 "path/filepath",
-	"filepath.HasPrefix":                            "path/filepath",
-	"filepath.IsAbs":                                "path/filepath",
-	"filepath.Join":                                 "path/filepath",
-	"filepath.ListSeparator":                        "path/filepath",
-	"filepath.Match":                                "path/filepath",
-	"filepath.Rel":                                  "path/filepath",
-	"filepath.Separator":                            "path/filepath",
-	"filepath.SkipDir":                              "path/filepath",
-	"filepath.Split":                                "path/filepath",
-	"filepath.SplitList":                            "path/filepath",
-	"filepath.ToSlash":                              "path/filepath",
-	"filepath.VolumeName":                           "path/filepath",
-	"filepath.Walk":                                 "path/filepath",
-	"filepath.WalkFunc":                             "path/filepath",
-	"flag.Arg":                                      "flag",
-	"flag.Args":                                     "flag",
-	"flag.Bool":                                     "flag",
-	"flag.BoolVar":                                  "flag",
-	"flag.CommandLine":                              "flag",
-	"flag.ContinueOnError":                          "flag",
-	"flag.Duration":                                 "flag",
-	"flag.DurationVar":                              "flag",
-	"flag.ErrHelp":                                  "flag",
-	"flag.ErrorHandling":                            "flag",
-	"flag.ExitOnError":                              "flag",
-	"flag.Flag":                                     "flag",
-	"flag.FlagSet":                                  "flag",
-	"flag.Float64":                                  "flag",
-	"flag.Float64Var":                               "flag",
-	"flag.Getter":                                   "flag",
-	"flag.Int":                                      "flag",
-	"flag.Int64":                                    "flag",
-	"flag.Int64Var":                                 "flag",
-	"flag.IntVar":                                   "flag",
-	"flag.Lookup":                                   "flag",
-	"flag.NArg":                                     "flag",
-	"flag.NFlag":                                    "flag",
-	"flag.NewFlagSet":                               "flag",
-	"flag.PanicOnError":                             "flag",
-	"flag.Parse":                                    "flag",
-	"flag.Parsed":                                   "flag",
-	"flag.PrintDefaults":                            "flag",
-	"flag.Set":                                      "flag",
-	"flag.String":                                   "flag",
-	"flag.StringVar":                                "flag",
-	"flag.Uint":                                     "flag",
-	"flag.Uint64":                                   "flag",
-	"flag.Uint64Var":                                "flag",
-	"flag.UintVar":                                  "flag",
-	"flag.UnquoteUsage":                             "flag",
-	"flag.Usage":                                    "flag",
-	"flag.Value":                                    "flag",
-	"flag.Var":                                      "flag",
-	"flag.Visit":                                    "flag",
-	"flag.VisitAll":                                 "flag",
-	"flate.BestCompression":                         "compress/flate",
-	"flate.BestSpeed":                               "compress/flate",
-	"flate.CorruptInputError":                       "compress/flate",
-	"flate.DefaultCompression":                      "compress/flate",
-	"flate.InternalError":                           "compress/flate",
-	"flate.NewReader":                               "compress/flate",
-	"flate.NewReaderDict":                           "compress/flate",
-	"flate.NewWriter":                               "compress/flate",
-	"flate.NewWriterDict":                           "compress/flate",
-	"flate.NoCompression":                           "compress/flate",
-	"flate.ReadError":                               "compress/flate",
-	"flate.Reader":                                  "compress/flate",
-	"flate.Resetter":                                "compress/flate",
-	"flate.WriteError":                              "compress/flate",
-	"flate.Writer":                                  "compress/flate",
-	"fmt.Errorf":                                    "fmt",
-	"fmt.Formatter":                                 "fmt",
-	"fmt.Fprint":                                    "fmt",
-	"fmt.Fprintf":                                   "fmt",
-	"fmt.Fprintln":                                  "fmt",
-	"fmt.Fscan":                                     "fmt",
-	"fmt.Fscanf":                                    "fmt",
-	"fmt.Fscanln":                                   "fmt",
-	"fmt.GoStringer":                                "fmt",
-	"fmt.Print":                                     "fmt",
-	"fmt.Printf":                                    "fmt",
-	"fmt.Println":                                   "fmt",
-	"fmt.Scan":                                      "fmt",
-	"fmt.ScanState":                                 "fmt",
-	"fmt.Scanf":                                     "fmt",
-	"fmt.Scanln":                                    "fmt",
-	"fmt.Scanner":                                   "fmt",
-	"fmt.Sprint":                                    "fmt",
-	"fmt.Sprintf":                                   "fmt",
-	"fmt.Sprintln":                                  "fmt",
-	"fmt.Sscan":                                     "fmt",
-	"fmt.Sscanf":                                    "fmt",
-	"fmt.Sscanln":                                   "fmt",
-	"fmt.State":                                     "fmt",
-	"fmt.Stringer":                                  "fmt",
-	"fnv.New32":                                     "hash/fnv",
-	"fnv.New32a":                                    "hash/fnv",
-	"fnv.New64":                                     "hash/fnv",
-	"fnv.New64a":                                    "hash/fnv",
-	"format.Node":                                   "go/format",
-	"format.Source":                                 "go/format",
-	"gif.Decode":                                    "image/gif",
-	"gif.DecodeAll":                                 "image/gif",
-	"gif.DecodeConfig":                              "image/gif",
-	"gif.DisposalBackground":                        "image/gif",
-	"gif.DisposalNone":                              "image/gif",
-	"gif.DisposalPrevious":                          "image/gif",
-	"gif.Encode":                                    "image/gif",
-	"gif.EncodeAll":                                 "image/gif",
-	"gif.GIF":                                       "image/gif",
-	"gif.Options":                                   "image/gif",
-	"gob.CommonType":                                "encoding/gob",
-	"gob.Decoder":                                   "encoding/gob",
-	"gob.Encoder":                                   "encoding/gob",
-	"gob.GobDecoder":                                "encoding/gob",
-	"gob.GobEncoder":                                "encoding/gob",
-	"gob.NewDecoder":                                "encoding/gob",
-	"gob.NewEncoder":                                "encoding/gob",
-	"gob.Register":                                  "encoding/gob",
-	"gob.RegisterName":                              "encoding/gob",
-	"gosym.DecodingError":                           "debug/gosym",
-	"gosym.Func":                                    "debug/gosym",
-	"gosym.LineTable":                               "debug/gosym",
-	"gosym.NewLineTable":                            "debug/gosym",
-	"gosym.NewTable":                                "debug/gosym",
-	"gosym.Obj":                                     "debug/gosym",
-	"gosym.Sym":                                     "debug/gosym",
-	"gosym.Table":                                   "debug/gosym",
-	"gosym.UnknownFileError":                        "debug/gosym",
-	"gosym.UnknownLineError":                        "debug/gosym",
-	"gzip.BestCompression":                          "compress/gzip",
-	"gzip.BestSpeed":                                "compress/gzip",
-	"gzip.DefaultCompression":                       "compress/gzip",
-	"gzip.ErrChecksum":                              "compress/gzip",
-	"gzip.ErrHeader":                                "compress/gzip",
-	"gzip.Header":                                   "compress/gzip",
-	"gzip.NewReader":                                "compress/gzip",
-	"gzip.NewWriter":                                "compress/gzip",
-	"gzip.NewWriterLevel":                           "compress/gzip",
-	"gzip.NoCompression":                            "compress/gzip",
-	"gzip.Reader":                                   "compress/gzip",
-	"gzip.Writer":                                   "compress/gzip",
-	"hash.Hash":                                     "hash",
-	"hash.Hash32":                                   "hash",
-	"hash.Hash64":                                   "hash",
-	"heap.Fix":                                      "container/heap",
-	"heap.Init":                                     "container/heap",
-	"heap.Interface":                                "container/heap",
-	"heap.Pop":                                      "container/heap",
-	"heap.Push":                                     "container/heap",
-	"heap.Remove":                                   "container/heap",
-	"hex.Decode":                                    "encoding/hex",
-	"hex.DecodeString":                              "encoding/hex",
-	"hex.DecodedLen":                                "encoding/hex",
-	"hex.Dump":                                      "encoding/hex",
-	"hex.Dumper":                                    "encoding/hex",
-	"hex.Encode":                                    "encoding/hex",
-	"hex.EncodeToString":                            "encoding/hex",
-	"hex.EncodedLen":                                "encoding/hex",
-	"hex.ErrLength":                                 "encoding/hex",
-	"hex.InvalidByteError":                          "encoding/hex",
-	"hmac.Equal":                                    "crypto/hmac",
-	"hmac.New":                                      "crypto/hmac",
-	"html.EscapeString":                             "html",
-	"html.UnescapeString":                           "html",
-	"http.CanonicalHeaderKey":                       "net/http",
-	"http.Client":                                   "net/http",
-	"http.CloseNotifier":                            "net/http",
-	"http.ConnState":                                "net/http",
-	"http.Cookie":                                   "net/http",
-	"http.CookieJar":                                "net/http",
-	"http.DefaultClient":                            "net/http",
-	"http.DefaultMaxHeaderBytes":                    "net/http",
-	"http.DefaultMaxIdleConnsPerHost":               "net/http",
-	"http.DefaultServeMux":                          "net/http",
-	"http.DefaultTransport":                         "net/http",
-	"http.DetectContentType":                        "net/http",
-	"http.Dir":                                      "net/http",
-	"http.ErrBodyNotAllowed":                        "net/http",
-	"http.ErrBodyReadAfterClose":                    "net/http",
-	"http.ErrContentLength":                         "net/http",
-	"http.ErrHandlerTimeout":                        "net/http",
-	"http.ErrHeaderTooLong":                         "net/http",
-	"http.ErrHijacked":                              "net/http",
-	"http.ErrLineTooLong":                           "net/http",
-	"http.ErrMissingBoundary":                       "net/http",
-	"http.ErrMissingContentLength":                  "net/http",
-	"http.ErrMissingFile":                           "net/http",
-	"http.ErrNoCookie":                              "net/http",
-	"http.ErrNoLocation":                            "net/http",
-	"http.ErrNotMultipart":                          "net/http",
-	"http.ErrNotSupported":                          "net/http",
-	"http.ErrShortBody":                             "net/http",
-	"http.ErrSkipAltProtocol":                       "net/http",
-	"http.ErrUnexpectedTrailer":                     "net/http",
-	"http.ErrWriteAfterFlush":                       "net/http",
-	"http.Error":                                    "net/http",
-	"http.File":                                     "net/http",
-	"http.FileServer":                               "net/http",
-	"http.FileSystem":                               "net/http",
-	"http.Flusher":                                  "net/http",
-	"http.Get":                                      "net/http",
-	"http.Handle":                                   "net/http",
-	"http.HandleFunc":                               "net/http",
-	"http.Handler":                                  "net/http",
-	"http.HandlerFunc":                              "net/http",
-	"http.Head":                                     "net/http",
-	"http.Header":                                   "net/http",
-	"http.Hijacker":                                 "net/http",
-	"http.ListenAndServe":                           "net/http",
-	"http.ListenAndServeTLS":                        "net/http",
-	"http.MaxBytesReader":                           "net/http",
-	"http.MethodConnect":                            "net/http",
-	"http.MethodDelete":                             "net/http",
-	"http.MethodGet":                                "net/http",
-	"http.MethodHead":                               "net/http",
-	"http.MethodOptions":                            "net/http",
-	"http.MethodPatch":                              "net/http",
-	"http.MethodPost":                               "net/http",
-	"http.MethodPut":                                "net/http",
-	"http.MethodTrace":                              "net/http",
-	"http.NewFileTransport":                         "net/http",
-	"http.NewRequest":                               "net/http",
-	"http.NewServeMux":                              "net/http",
-	"http.NotFound":                                 "net/http",
-	"http.NotFoundHandler":                          "net/http",
-	"http.ParseHTTPVersion":                         "net/http",
-	"http.ParseTime":                                "net/http",
-	"http.Post":                                     "net/http",
-	"http.PostForm":                                 "net/http",
-	"http.ProtocolError":                            "net/http",
-	"http.ProxyFromEnvironment":                     "net/http",
-	"http.ProxyURL":                                 "net/http",
-	"http.ReadRequest":                              "net/http",
-	"http.ReadResponse":                             "net/http",
-	"http.Redirect":                                 "net/http",
-	"http.RedirectHandler":                          "net/http",
-	"http.Request":                                  "net/http",
-	"http.Response":                                 "net/http",
-	"http.ResponseWriter":                           "net/http",
-	"http.RoundTripper":                             "net/http",
-	"http.Serve":                                    "net/http",
-	"http.ServeContent":                             "net/http",
-	"http.ServeFile":                                "net/http",
-	"http.ServeMux":                                 "net/http",
-	"http.Server":                                   "net/http",
-	"http.SetCookie":                                "net/http",
-	"http.StateActive":                              "net/http",
-	"http.StateClosed":                              "net/http",
-	"http.StateHijacked":                            "net/http",
-	"http.StateIdle":                                "net/http",
-	"http.StateNew":                                 "net/http",
-	"http.StatusAccepted":                           "net/http",
-	"http.StatusBadGateway":                         "net/http",
-	"http.StatusBadRequest":                         "net/http",
-	"http.StatusConflict":                           "net/http",
-	"http.StatusContinue":                           "net/http",
-	"http.StatusCreated":                            "net/http",
-	"http.StatusExpectationFailed":                  "net/http",
-	"http.StatusForbidden":                          "net/http",
-	"http.StatusFound":                              "net/http",
-	"http.StatusGatewayTimeout":                     "net/http",
-	"http.StatusGone":                               "net/http",
-	"http.StatusHTTPVersionNotSupported":            "net/http",
-	"http.StatusInternalServerError":                "net/http",
-	"http.StatusLengthRequired":                     "net/http",
-	"http.StatusMethodNotAllowed":                   "net/http",
-	"http.StatusMovedPermanently":                   "net/http",
-	"http.StatusMultipleChoices":                    "net/http",
-	"http.StatusNetworkAuthenticationRequired":      "net/http",
-	"http.StatusNoContent":                          "net/http",
-	"http.StatusNonAuthoritativeInfo":               "net/http",
-	"http.StatusNotAcceptable":                      "net/http",
-	"http.StatusNotFound":                           "net/http",
-	"http.StatusNotImplemented":                     "net/http",
-	"http.StatusNotModified":                        "net/http",
-	"http.StatusOK":                                 "net/http",
-	"http.StatusPartialContent":                     "net/http",
-	"http.StatusPaymentRequired":                    "net/http",
-	"http.StatusPreconditionFailed":                 "net/http",
-	"http.StatusPreconditionRequired":               "net/http",
-	"http.StatusProxyAuthRequired":                  "net/http",
-	"http.StatusRequestEntityTooLarge":              "net/http",
-	"http.StatusRequestHeaderFieldsTooLarge":        "net/http",
-	"http.StatusRequestTimeout":                     "net/http",
-	"http.StatusRequestURITooLong":                  "net/http",
-	"http.StatusRequestedRangeNotSatisfiable":       "net/http",
-	"http.StatusResetContent":                       "net/http",
-	"http.StatusSeeOther":                           "net/http",
-	"http.StatusServiceUnavailable":                 "net/http",
-	"http.StatusSwitchingProtocols":                 "net/http",
-	"http.StatusTeapot":                             "net/http",
-	"http.StatusTemporaryRedirect":                  "net/http",
-	"http.StatusText":                               "net/http",
-	"http.StatusTooManyRequests":                    "net/http",
-	"http.StatusUnauthorized":                       "net/http",
-	"http.StatusUnavailableForLegalReasons":         "net/http",
-	"http.StatusUnsupportedMediaType":               "net/http",
-	"http.StatusUseProxy":                           "net/http",
-	"http.StripPrefix":                              "net/http",
-	"http.TimeFormat":                               "net/http",
-	"http.TimeoutHandler":                           "net/http",
-	"http.Transport":                                "net/http",
-	"httptest.DefaultRemoteAddr":                    "net/http/httptest",
-	"httptest.NewRecorder":                          "net/http/httptest",
-	"httptest.NewServer":                            "net/http/httptest",
-	"httptest.NewTLSServer":                         "net/http/httptest",
-	"httptest.NewUnstartedServer":                   "net/http/httptest",
-	"httptest.ResponseRecorder":                     "net/http/httptest",
-	"httptest.Server":                               "net/http/httptest",
-	"httputil.BufferPool":                           "net/http/httputil",
-	"httputil.ClientConn":                           "net/http/httputil",
-	"httputil.DumpRequest":                          "net/http/httputil",
-	"httputil.DumpRequestOut":                       "net/http/httputil",
-	"httputil.DumpResponse":                         "net/http/httputil",
-	"httputil.ErrClosed":                            "net/http/httputil",
-	"httputil.ErrLineTooLong":                       "net/http/httputil",
-	"httputil.ErrPersistEOF":                        "net/http/httputil",
-	"httputil.ErrPipeline":                          "net/http/httputil",
-	"httputil.NewChunkedReader":                     "net/http/httputil",
-	"httputil.NewChunkedWriter":                     "net/http/httputil",
-	"httputil.NewClientConn":                        "net/http/httputil",
-	"httputil.NewProxyClientConn":                   "net/http/httputil",
-	"httputil.NewServerConn":                        "net/http/httputil",
-	"httputil.NewSingleHostReverseProxy":            "net/http/httputil",
-	"httputil.ReverseProxy":                         "net/http/httputil",
-	"httputil.ServerConn":                           "net/http/httputil",
-	"image.Alpha":                                   "image",
-	"image.Alpha16":                                 "image",
-	"image.Black":                                   "image",
-	"image.CMYK":                                    "image",
-	"image.Config":                                  "image",
-	"image.Decode":                                  "image",
-	"image.DecodeConfig":                            "image",
-	"image.ErrFormat":                               "image",
-	"image.Gray":                                    "image",
-	"image.Gray16":                                  "image",
-	"image.Image":                                   "image",
-	"image.NRGBA":                                   "image",
-	"image.NRGBA64":                                 "image",
-	"image.NYCbCrA":                                 "image",
-	"image.NewAlpha":                                "image",
-	"image.NewAlpha16":                              "image",
-	"image.NewCMYK":                                 "image",
-	"image.NewGray":                                 "image",
-	"image.NewGray16":                               "image",
-	"image.NewNRGBA":                                "image",
-	"image.NewNRGBA64":                              "image",
-	"image.NewNYCbCrA":                              "image",
-	"image.NewPaletted":                             "image",
-	"image.NewRGBA":                                 "image",
-	"image.NewRGBA64":                               "image",
-	"image.NewUniform":                              "image",
-	"image.NewYCbCr":                                "image",
-	"image.Opaque":                                  "image",
-	"image.Paletted":                                "image",
-	"image.PalettedImage":                           "image",
-	"image.Point":                                   "image",
-	"image.Pt":                                      "image",
-	"image.RGBA":                                    "image",
-	"image.RGBA64":                                  "image",
-	"image.Rect":                                    "image",
-	"image.Rectangle":                               "image",
-	"image.RegisterFormat":                          "image",
-	"image.Transparent":                             "image",
-	"image.Uniform":                                 "image",
-	"image.White":                                   "image",
-	"image.YCbCr":                                   "image",
-	"image.YCbCrSubsampleRatio":                     "image",
-	"image.YCbCrSubsampleRatio410":                  "image",
-	"image.YCbCrSubsampleRatio411":                  "image",
-	"image.YCbCrSubsampleRatio420":                  "image",
-	"image.YCbCrSubsampleRatio422":                  "image",
-	"image.YCbCrSubsampleRatio440":                  "image",
-	"image.YCbCrSubsampleRatio444":                  "image",
-	"image.ZP":                                      "image",
-	"image.ZR":                                      "image",
-	"importer.Default":                              "go/importer",
-	"importer.For":                                  "go/importer",
-	"importer.Lookup":                               "go/importer",
-	"io.ByteReader":                                 "io",
-	"io.ByteScanner":                                "io",
-	"io.ByteWriter":                                 "io",
-	"io.Closer":                                     "io",
-	"io.Copy":                                       "io",
-	"io.CopyBuffer":                                 "io",
-	"io.CopyN":                                      "io",
-	"io.EOF":                                        "io",
-	"io.ErrClosedPipe":                              "io",
-	"io.ErrNoProgress":                              "io",
-	"io.ErrShortBuffer":                             "io",
-	"io.ErrShortWrite":                              "io",
-	"io.ErrUnexpectedEOF":                           "io",
-	"io.LimitReader":                                "io",
-	"io.LimitedReader":                              "io",
-	"io.MultiReader":                                "io",
-	"io.MultiWriter":                                "io",
-	"io.NewSectionReader":                           "io",
-	"io.Pipe":                                       "io",
-	"io.PipeReader":                                 "io",
-	"io.PipeWriter":                                 "io",
-	"io.ReadAtLeast":                                "io",
-	"io.ReadCloser":                                 "io",
-	"io.ReadFull":                                   "io",
-	"io.ReadSeeker":                                 "io",
-	"io.ReadWriteCloser":                            "io",
-	"io.ReadWriteSeeker":                            "io",
-	"io.ReadWriter":                                 "io",
-	"io.Reader":                                     "io",
-	"io.ReaderAt":                                   "io",
-	"io.ReaderFrom":                                 "io",
-	"io.RuneReader":                                 "io",
-	"io.RuneScanner":                                "io",
-	"io.SectionReader":                              "io",
-	"io.Seeker":                                     "io",
-	"io.TeeReader":                                  "io",
-	"io.WriteCloser":                                "io",
-	"io.WriteSeeker":                                "io",
-	"io.WriteString":                                "io",
-	"io.Writer":                                     "io",
-	"io.WriterAt":                                   "io",
-	"io.WriterTo":                                   "io",
-	"iotest.DataErrReader":                          "testing/iotest",
-	"iotest.ErrTimeout":                             "testing/iotest",
-	"iotest.HalfReader":                             "testing/iotest",
-	"iotest.NewReadLogger":                          "testing/iotest",
-	"iotest.NewWriteLogger":                         "testing/iotest",
-	"iotest.OneByteReader":                          "testing/iotest",
-	"iotest.TimeoutReader":                          "testing/iotest",
-	"iotest.TruncateWriter":                         "testing/iotest",
-	"ioutil.Discard":                                "io/ioutil",
-	"ioutil.NopCloser":                              "io/ioutil",
-	"ioutil.ReadAll":                                "io/ioutil",
-	"ioutil.ReadDir":                                "io/ioutil",
-	"ioutil.ReadFile":                               "io/ioutil",
-	"ioutil.TempDir":                                "io/ioutil",
-	"ioutil.TempFile":                               "io/ioutil",
-	"ioutil.WriteFile":                              "io/ioutil",
-	"jpeg.Decode":                                   "image/jpeg",
-	"jpeg.DecodeConfig":                             "image/jpeg",
-	"jpeg.DefaultQuality":                           "image/jpeg",
-	"jpeg.Encode":                                   "image/jpeg",
-	"jpeg.FormatError":                              "image/jpeg",
-	"jpeg.Options":                                  "image/jpeg",
-	"jpeg.Reader":                                   "image/jpeg",
-	"jpeg.UnsupportedError":                         "image/jpeg",
-	"json.Compact":                                  "encoding/json",
-	"json.Decoder":                                  "encoding/json",
-	"json.Delim":                                    "encoding/json",
-	"json.Encoder":                                  "encoding/json",
-	"json.HTMLEscape":                               "encoding/json",
-	"json.Indent":                                   "encoding/json",
-	"json.InvalidUTF8Error":                         "encoding/json",
-	"json.InvalidUnmarshalError":                    "encoding/json",
-	"json.Marshal":                                  "encoding/json",
-	"json.MarshalIndent":                            "encoding/json",
-	"json.Marshaler":                                "encoding/json",
-	"json.MarshalerError":                           "encoding/json",
-	"json.NewDecoder":                               "encoding/json",
-	"json.NewEncoder":                               "encoding/json",
-	"json.Number":                                   "encoding/json",
-	"json.RawMessage":                               "encoding/json",
-	"json.SyntaxError":                              "encoding/json",
-	"json.Token":                                    "encoding/json",
-	"json.Unmarshal":                                "encoding/json",
-	"json.UnmarshalFieldError":                      "encoding/json",
-	"json.UnmarshalTypeError":                       "encoding/json",
-	"json.Unmarshaler":                              "encoding/json",
-	"json.UnsupportedTypeError":                     "encoding/json",
-	"json.UnsupportedValueError":                    "encoding/json",
-	"jsonrpc.Dial":                                  "net/rpc/jsonrpc",
-	"jsonrpc.NewClient":                             "net/rpc/jsonrpc",
-	"jsonrpc.NewClientCodec":                        "net/rpc/jsonrpc",
-	"jsonrpc.NewServerCodec":                        "net/rpc/jsonrpc",
-	"jsonrpc.ServeConn":                             "net/rpc/jsonrpc",
-	"list.Element":                                  "container/list",
-	"list.List":                                     "container/list",
-	"list.New":                                      "container/list",
-	"log.Fatal":                                     "log",
-	"log.Fatalf":                                    "log",
-	"log.Fatalln":                                   "log",
-	"log.Flags":                                     "log",
-	"log.LUTC":                                      "log",
-	"log.Ldate":                                     "log",
-	"log.Llongfile":                                 "log",
-	"log.Lmicroseconds":                             "log",
-	"log.Logger":                                    "log",
-	"log.Lshortfile":                                "log",
-	"log.LstdFlags":                                 "log",
-	"log.Ltime":                                     "log",
-	"log.New":                                       "log",
-	"log.Output":                                    "log",
-	"log.Panic":                                     "log",
-	"log.Panicf":                                    "log",
-	"log.Panicln":                                   "log",
-	"log.Prefix":                                    "log",
-	"log.Print":                                     "log",
-	"log.Printf":                                    "log",
-	"log.Println":                                   "log",
-	"log.SetFlags":                                  "log",
-	"log.SetOutput":                                 "log",
-	"log.SetPrefix":                                 "log",
-	"lzw.LSB":                                       "compress/lzw",
-	"lzw.MSB":                                       "compress/lzw",
-	"lzw.NewReader":                                 "compress/lzw",
-	"lzw.NewWriter":                                 "compress/lzw",
-	"lzw.Order":                                     "compress/lzw",
-	"macho.Cpu":                                     "debug/macho",
-	"macho.Cpu386":                                  "debug/macho",
-	"macho.CpuAmd64":                                "debug/macho",
-	"macho.CpuArm":                                  "debug/macho",
-	"macho.CpuPpc":                                  "debug/macho",
-	"macho.CpuPpc64":                                "debug/macho",
-	"macho.Dylib":                                   "debug/macho",
-	"macho.DylibCmd":                                "debug/macho",
-	"macho.Dysymtab":                                "debug/macho",
-	"macho.DysymtabCmd":                             "debug/macho",
-	"macho.ErrNotFat":                               "debug/macho",
-	"macho.FatArch":                                 "debug/macho",
-	"macho.FatArchHeader":                           "debug/macho",
-	"macho.FatFile":                                 "debug/macho",
-	"macho.File":                                    "debug/macho",
-	"macho.FileHeader":                              "debug/macho",
-	"macho.FormatError":                             "debug/macho",
-	"macho.Load":                                    "debug/macho",
-	"macho.LoadBytes":                               "debug/macho",
-	"macho.LoadCmd":                                 "debug/macho",
-	"macho.LoadCmdDylib":                            "debug/macho",
-	"macho.LoadCmdDylinker":                         "debug/macho",
-	"macho.LoadCmdDysymtab":                         "debug/macho",
-	"macho.LoadCmdSegment":                          "debug/macho",
-	"macho.LoadCmdSegment64":                        "debug/macho",
-	"macho.LoadCmdSymtab":                           "debug/macho",
-	"macho.LoadCmdThread":                           "debug/macho",
-	"macho.LoadCmdUnixThread":                       "debug/macho",
-	"macho.Magic32":                                 "debug/macho",
-	"macho.Magic64":                                 "debug/macho",
-	"macho.MagicFat":                                "debug/macho",
-	"macho.NewFatFile":                              "debug/macho",
-	"macho.NewFile":                                 "debug/macho",
-	"macho.Nlist32":                                 "debug/macho",
-	"macho.Nlist64":                                 "debug/macho",
-	"macho.Open":                                    "debug/macho",
-	"macho.OpenFat":                                 "debug/macho",
-	"macho.Regs386":                                 "debug/macho",
-	"macho.RegsAMD64":                               "debug/macho",
-	"macho.Section":                                 "debug/macho",
-	"macho.Section32":                               "debug/macho",
-	"macho.Section64":                               "debug/macho",
-	"macho.SectionHeader":                           "debug/macho",
-	"macho.Segment":                                 "debug/macho",
-	"macho.Segment32":                               "debug/macho",
-	"macho.Segment64":                               "debug/macho",
-	"macho.SegmentHeader":                           "debug/macho",
-	"macho.Symbol":                                  "debug/macho",
-	"macho.Symtab":                                  "debug/macho",
-	"macho.SymtabCmd":                               "debug/macho",
-	"macho.Thread":                                  "debug/macho",
-	"macho.Type":                                    "debug/macho",
-	"macho.TypeBundle":                              "debug/macho",
-	"macho.TypeDylib":                               "debug/macho",
-	"macho.TypeExec":                                "debug/macho",
-	"macho.TypeObj":                                 "debug/macho",
-	"mail.Address":                                  "net/mail",
-	"mail.AddressParser":                            "net/mail",
-	"mail.ErrHeaderNotPresent":                      "net/mail",
-	"mail.Header":                                   "net/mail",
-	"mail.Message":                                  "net/mail",
-	"mail.ParseAddress":                             "net/mail",
-	"mail.ParseAddressList":                         "net/mail",
-	"mail.ReadMessage":                              "net/mail",
-	"math.Abs":                                      "math",
-	"math.Acos":                                     "math",
-	"math.Acosh":                                    "math",
-	"math.Asin":                                     "math",
-	"math.Asinh":                                    "math",
-	"math.Atan":                                     "math",
-	"math.Atan2":                                    "math",
-	"math.Atanh":                                    "math",
-	"math.Cbrt":                                     "math",
-	"math.Ceil":                                     "math",
-	"math.Copysign":                                 "math",
-	"math.Cos":                                      "math",
-	"math.Cosh":                                     "math",
-	"math.Dim":                                      "math",
-	"math.E":                                        "math",
-	"math.Erf":                                      "math",
-	"math.Erfc":                                     "math",
-	"math.Exp":                                      "math",
-	"math.Exp2":                                     "math",
-	"math.Expm1":                                    "math",
-	"math.Float32bits":                              "math",
-	"math.Float32frombits":                          "math",
-	"math.Float64bits":                              "math",
-	"math.Float64frombits":                          "math",
-	"math.Floor":                                    "math",
-	"math.Frexp":                                    "math",
-	"math.Gamma":                                    "math",
-	"math.Hypot":                                    "math",
-	"math.Ilogb":                                    "math",
-	"math.Inf":                                      "math",
-	"math.IsInf":                                    "math",
-	"math.IsNaN":                                    "math",
-	"math.J0":                                       "math",
-	"math.J1":                                       "math",
-	"math.Jn":                                       "math",
-	"math.Ldexp":                                    "math",
-	"math.Lgamma":                                   "math",
-	"math.Ln10":                                     "math",
-	"math.Ln2":                                      "math",
-	"math.Log":                                      "math",
-	"math.Log10":                                    "math",
-	"math.Log10E":                                   "math",
-	"math.Log1p":                                    "math",
-	"math.Log2":                                     "math",
-	"math.Log2E":                                    "math",
-	"math.Logb":                                     "math",
-	"math.Max":                                      "math",
-	"math.MaxFloat32":                               "math",
-	"math.MaxFloat64":                               "math",
-	"math.MaxInt16":                                 "math",
-	"math.MaxInt32":                                 "math",
-	"math.MaxInt64":                                 "math",
-	"math.MaxInt8":                                  "math",
-	"math.MaxUint16":                                "math",
-	"math.MaxUint32":                                "math",
-	"math.MaxUint64":                                "math",
-	"math.MaxUint8":                                 "math",
-	"math.Min":                                      "math",
-	"math.MinInt16":                                 "math",
-	"math.MinInt32":                                 "math",
-	"math.MinInt64":                                 "math",
-	"math.MinInt8":                                  "math",
-	"math.Mod":                                      "math",
-	"math.Modf":                                     "math",
-	"math.NaN":                                      "math",
-	"math.Nextafter":                                "math",
-	"math.Nextafter32":                              "math",
-	"math.Phi":                                      "math",
-	"math.Pi":                                       "math",
-	"math.Pow":                                      "math",
-	"math.Pow10":                                    "math",
-	"math.Remainder":                                "math",
-	"math.Signbit":                                  "math",
-	"math.Sin":                                      "math",
-	"math.Sincos":                                   "math",
-	"math.Sinh":                                     "math",
-	"math.SmallestNonzeroFloat32":                   "math",
-	"math.SmallestNonzeroFloat64":                   "math",
-	"math.Sqrt":                                     "math",
-	"math.Sqrt2":                                    "math",
-	"math.SqrtE":                                    "math",
-	"math.SqrtPhi":                                  "math",
-	"math.SqrtPi":                                   "math",
-	"math.Tan":                                      "math",
-	"math.Tanh":                                     "math",
-	"math.Trunc":                                    "math",
-	"math.Y0":                                       "math",
-	"math.Y1":                                       "math",
-	"math.Yn":                                       "math",
-	"md5.BlockSize":                                 "crypto/md5",
-	"md5.New":                                       "crypto/md5",
-	"md5.Size":                                      "crypto/md5",
-	"md5.Sum":                                       "crypto/md5",
-	"mime.AddExtensionType":                         "mime",
-	"mime.BEncoding":                                "mime",
-	"mime.ExtensionsByType":                         "mime",
-	"mime.FormatMediaType":                          "mime",
-	"mime.ParseMediaType":                           "mime",
-	"mime.QEncoding":                                "mime",
-	"mime.TypeByExtension":                          "mime",
-	"mime.WordDecoder":                              "mime",
-	"mime.WordEncoder":                              "mime",
-	"multipart.File":                                "mime/multipart",
-	"multipart.FileHeader":                          "mime/multipart",
-	"multipart.Form":                                "mime/multipart",
-	"multipart.NewReader":                           "mime/multipart",
-	"multipart.NewWriter":                           "mime/multipart",
-	"multipart.Part":                                "mime/multipart",
-	"multipart.Reader":                              "mime/multipart",
-	"multipart.Writer":                              "mime/multipart",
-	"net.Addr":                                      "net",
-	"net.AddrError":                                 "net",
-	"net.CIDRMask":                                  "net",
-	"net.Conn":                                      "net",
-	"net.DNSConfigError":                            "net",
-	"net.DNSError":                                  "net",
-	"net.Dial":                                      "net",
-	"net.DialIP":                                    "net",
-	"net.DialTCP":                                   "net",
-	"net.DialTimeout":                               "net",
-	"net.DialUDP":                                   "net",
-	"net.DialUnix":                                  "net",
-	"net.Dialer":                                    "net",
-	"net.ErrWriteToConnected":                       "net",
-	"net.Error":                                     "net",
-	"net.FileConn":                                  "net",
-	"net.FileListener":                              "net",
-	"net.FilePacketConn":                            "net",
-	"net.FlagBroadcast":                             "net",
-	"net.FlagLoopback":                              "net",
-	"net.FlagMulticast":                             "net",
-	"net.FlagPointToPoint":                          "net",
-	"net.FlagUp":                                    "net",
-	"net.Flags":                                     "net",
-	"net.HardwareAddr":                              "net",
-	"net.IP":                                        "net",
-	"net.IPAddr":                                    "net",
-	"net.IPConn":                                    "net",
-	"net.IPMask":                                    "net",
-	"net.IPNet":                                     "net",
-	"net.IPv4":                                      "net",
-	"net.IPv4Mask":                                  "net",
-	"net.IPv4allrouter":                             "net",
-	"net.IPv4allsys":                                "net",
-	"net.IPv4bcast":                                 "net",
-	"net.IPv4len":                                   "net",
-	"net.IPv4zero":                                  "net",
-	"net.IPv6interfacelocalallnodes":                "net",
-	"net.IPv6len":                                   "net",
-	"net.IPv6linklocalallnodes":                     "net",
-	"net.IPv6linklocalallrouters":                   "net",
-	"net.IPv6loopback":                              "net",
-	"net.IPv6unspecified":                           "net",
-	"net.IPv6zero":                                  "net",
-	"net.Interface":                                 "net",
-	"net.InterfaceAddrs":                            "net",
-	"net.InterfaceByIndex":                          "net",
-	"net.InterfaceByName":                           "net",
-	"net.Interfaces":                                "net",
-	"net.InvalidAddrError":                          "net",
-	"net.JoinHostPort":                              "net",
-	"net.Listen":                                    "net",
-	"net.ListenIP":                                  "net",
-	"net.ListenMulticastUDP":                        "net",
-	"net.ListenPacket":                              "net",
-	"net.ListenTCP":                                 "net",
-	"net.ListenUDP":                                 "net",
-	"net.ListenUnix":                                "net",
-	"net.ListenUnixgram":                            "net",
-	"net.Listener":                                  "net",
-	"net.LookupAddr":                                "net",
-	"net.LookupCNAME":                               "net",
-	"net.LookupHost":                                "net",
-	"net.LookupIP":                                  "net",
-	"net.LookupMX":                                  "net",
-	"net.LookupNS":                                  "net",
-	"net.LookupPort":                                "net",
-	"net.LookupSRV":                                 "net",
-	"net.LookupTXT":                                 "net",
-	"net.MX":                                        "net",
-	"net.NS":                                        "net",
-	"net.OpError":                                   "net",
-	"net.PacketConn":                                "net",
-	"net.ParseCIDR":                                 "net",
-	"net.ParseError":                                "net",
-	"net.ParseIP":                                   "net",
-	"net.ParseMAC":                                  "net",
-	"net.Pipe":                                      "net",
-	"net.ResolveIPAddr":                             "net",
-	"net.ResolveTCPAddr":                            "net",
-	"net.ResolveUDPAddr":                            "net",
-	"net.ResolveUnixAddr":                           "net",
-	"net.SRV":                                       "net",
-	"net.SplitHostPort":                             "net",
-	"net.TCPAddr":                                   "net",
-	"net.TCPConn":                                   "net",
-	"net.TCPListener":                               "net",
-	"net.UDPAddr":                                   "net",
-	"net.UDPConn":                                   "net",
-	"net.UnixAddr":                                  "net",
-	"net.UnixConn":                                  "net",
-	"net.UnixListener":                              "net",
-	"net.UnknownNetworkError":                       "net",
-	"os.Args":                                       "os",
-	"os.Chdir":                                      "os",
-	"os.Chmod":                                      "os",
-	"os.Chown":                                      "os",
-	"os.Chtimes":                                    "os",
-	"os.Clearenv":                                   "os",
-	"os.Create":                                     "os",
-	"os.DevNull":                                    "os",
-	"os.Environ":                                    "os",
-	"os.ErrExist":                                   "os",
-	"os.ErrInvalid":                                 "os",
-	"os.ErrNotExist":                                "os",
-	"os.ErrPermission":                              "os",
-	"os.Exit":                                       "os",
-	"os.Expand":                                     "os",
-	"os.ExpandEnv":                                  "os",
-	"os.File":                                       "os",
-	"os.FileInfo":                                   "os",
-	"os.FileMode":                                   "os",
-	"os.FindProcess":                                "os",
-	"os.Getegid":                                    "os",
-	"os.Getenv":                                     "os",
-	"os.Geteuid":                                    "os",
-	"os.Getgid":                                     "os",
-	"os.Getgroups":                                  "os",
-	"os.Getpagesize":                                "os",
-	"os.Getpid":                                     "os",
-	"os.Getppid":                                    "os",
-	"os.Getuid":                                     "os",
-	"os.Getwd":                                      "os",
-	"os.Hostname":                                   "os",
-	"os.Interrupt":                                  "os",
-	"os.IsExist":                                    "os",
-	"os.IsNotExist":                                 "os",
-	"os.IsPathSeparator":                            "os",
-	"os.IsPermission":                               "os",
-	"os.Kill":                                       "os",
-	"os.Lchown":                                     "os",
-	"os.Link":                                       "os",
-	"os.LinkError":                                  "os",
-	"os.LookupEnv":                                  "os",
-	"os.Lstat":                                      "os",
-	"os.Mkdir":                                      "os",
-	"os.MkdirAll":                                   "os",
-	"os.ModeAppend":                                 "os",
-	"os.ModeCharDevice":                             "os",
-	"os.ModeDevice":                                 "os",
-	"os.ModeDir":                                    "os",
-	"os.ModeExclusive":                              "os",
-	"os.ModeNamedPipe":                              "os",
-	"os.ModePerm":                                   "os",
-	"os.ModeSetgid":                                 "os",
-	"os.ModeSetuid":                                 "os",
-	"os.ModeSocket":                                 "os",
-	"os.ModeSticky":                                 "os",
-	"os.ModeSymlink":                                "os",
-	"os.ModeTemporary":                              "os",
-	"os.ModeType":                                   "os",
-	"os.NewFile":                                    "os",
-	"os.NewSyscallError":                            "os",
-	"os.O_APPEND":                                   "os",
-	"os.O_CREATE":                                   "os",
-	"os.O_EXCL":                                     "os",
-	"os.O_RDONLY":                                   "os",
-	"os.O_RDWR":                                     "os",
-	"os.O_SYNC":                                     "os",
-	"os.O_TRUNC":                                    "os",
-	"os.O_WRONLY":                                   "os",
-	"os.Open":                                       "os",
-	"os.OpenFile":                                   "os",
-	"os.PathError":                                  "os",
-	"os.PathListSeparator":                          "os",
-	"os.PathSeparator":                              "os",
-	"os.Pipe":                                       "os",
-	"os.ProcAttr":                                   "os",
-	"os.Process":                                    "os",
-	"os.ProcessState":                               "os",
-	"os.Readlink":                                   "os",
-	"os.Remove":                                     "os",
-	"os.RemoveAll":                                  "os",
-	"os.Rename":                                     "os",
-	"os.SEEK_CUR":                                   "os",
-	"os.SEEK_END":                                   "os",
-	"os.SEEK_SET":                                   "os",
-	"os.SameFile":                                   "os",
-	"os.Setenv":                                     "os",
-	"os.Signal":                                     "os",
-	"os.StartProcess":                               "os",
-	"os.Stat":                                       "os",
-	"os.Stderr":                                     "os",
-	"os.Stdin":                                      "os",
-	"os.Stdout":                                     "os",
-	"os.Symlink":                                    "os",
-	"os.SyscallError":                               "os",
-	"os.TempDir":                                    "os",
-	"os.Truncate":                                   "os",
-	"os.Unsetenv":                                   "os",
-	"palette.Plan9":                                 "image/color/palette",
-	"palette.WebSafe":                               "image/color/palette",
-	"parse.ActionNode":                              "text/template/parse",
-	"parse.BoolNode":                                "text/template/parse",
-	"parse.BranchNode":                              "text/template/parse",
-	"parse.ChainNode":                               "text/template/parse",
-	"parse.CommandNode":                             "text/template/parse",
-	"parse.DotNode":                                 "text/template/parse",
-	"parse.FieldNode":                               "text/template/parse",
-	"parse.IdentifierNode":                          "text/template/parse",
-	"parse.IfNode":                                  "text/template/parse",
-	"parse.IsEmptyTree":                             "text/template/parse",
-	"parse.ListNode":                                "text/template/parse",
-	"parse.New":                                     "text/template/parse",
-	"parse.NewIdentifier":                           "text/template/parse",
-	"parse.NilNode":                                 "text/template/parse",
-	"parse.Node":                                    "text/template/parse",
-	"parse.NodeAction":                              "text/template/parse",
-	"parse.NodeBool":                                "text/template/parse",
-	"parse.NodeChain":                               "text/template/parse",
-	"parse.NodeCommand":                             "text/template/parse",
-	"parse.NodeDot":                                 "text/template/parse",
-	"parse.NodeField":                               "text/template/parse",
-	"parse.NodeIdentifier":                          "text/template/parse",
-	"parse.NodeIf":                                  "text/template/parse",
-	"parse.NodeList":                                "text/template/parse",
-	"parse.NodeNil":                                 "text/template/parse",
-	"parse.NodeNumber":                              "text/template/parse",
-	"parse.NodePipe":                                "text/template/parse",
-	"parse.NodeRange":                               "text/template/parse",
-	"parse.NodeString":                              "text/template/parse",
-	"parse.NodeTemplate":                            "text/template/parse",
-	"parse.NodeText":                                "text/template/parse",
-	"parse.NodeType":                                "text/template/parse",
-	"parse.NodeVariable":                            "text/template/parse",
-	"parse.NodeWith":                                "text/template/parse",
-	"parse.NumberNode":                              "text/template/parse",
-	"parse.Parse":                                   "text/template/parse",
-	"parse.PipeNode":                                "text/template/parse",
-	"parse.Pos":                                     "text/template/parse",
-	"parse.RangeNode":                               "text/template/parse",
-	"parse.StringNode":                              "text/template/parse",
-	"parse.TemplateNode":                            "text/template/parse",
-	"parse.TextNode":                                "text/template/parse",
-	"parse.Tree":                                    "text/template/parse",
-	"parse.VariableNode":                            "text/template/parse",
-	"parse.WithNode":                                "text/template/parse",
-	"parser.AllErrors":                              "go/parser",
-	"parser.DeclarationErrors":                      "go/parser",
-	"parser.ImportsOnly":                            "go/parser",
-	"parser.Mode":                                   "go/parser",
-	"parser.PackageClauseOnly":                      "go/parser",
-	"parser.ParseComments":                          "go/parser",
-	"parser.ParseDir":                               "go/parser",
-	"parser.ParseExpr":                              "go/parser",
-	"parser.ParseExprFrom":                          "go/parser",
-	"parser.ParseFile":                              "go/parser",
-	"parser.SpuriousErrors":                         "go/parser",
-	"parser.Trace":                                  "go/parser",
-	"path.Base":                                     "path",
-	"path.Clean":                                    "path",
-	"path.Dir":                                      "path",
-	"path.ErrBadPattern":                            "path",
-	"path.Ext":                                      "path",
-	"path.IsAbs":                                    "path",
-	"path.Join":                                     "path",
-	"path.Match":                                    "path",
-	"path.Split":                                    "path",
-	"pe.COFFSymbol":                                 "debug/pe",
-	"pe.COFFSymbolSize":                             "debug/pe",
-	"pe.DataDirectory":                              "debug/pe",
-	"pe.File":                                       "debug/pe",
-	"pe.FileHeader":                                 "debug/pe",
-	"pe.FormatError":                                "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_AM33":                    "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_AMD64":                   "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_ARM":                     "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_EBC":                     "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_I386":                    "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_IA64":                    "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_M32R":                    "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_MIPS16":                  "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_MIPSFPU":                 "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_MIPSFPU16":               "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_POWERPC":                 "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_POWERPCFP":               "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_R4000":                   "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_SH3":                     "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_SH3DSP":                  "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_SH4":                     "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_SH5":                     "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_THUMB":                   "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_UNKNOWN":                 "debug/pe",
-	"pe.IMAGE_FILE_MACHINE_WCEMIPSV2":               "debug/pe",
-	"pe.ImportDirectory":                            "debug/pe",
-	"pe.NewFile":                                    "debug/pe",
-	"pe.Open":                                       "debug/pe",
-	"pe.OptionalHeader32":                           "debug/pe",
-	"pe.OptionalHeader64":                           "debug/pe",
-	"pe.Section":                                    "debug/pe",
-	"pe.SectionHeader":                              "debug/pe",
-	"pe.SectionHeader32":                            "debug/pe",
-	"pe.Symbol":                                     "debug/pe",
-	"pem.Block":                                     "encoding/pem",
-	"pem.Decode":                                    "encoding/pem",
-	"pem.Encode":                                    "encoding/pem",
-	"pem.EncodeToMemory":                            "encoding/pem",
-	"pkix.AlgorithmIdentifier":                      "crypto/x509/pkix",
-	"pkix.AttributeTypeAndValue":                    "crypto/x509/pkix",
-	"pkix.AttributeTypeAndValueSET":                 "crypto/x509/pkix",
-	"pkix.CertificateList":                          "crypto/x509/pkix",
-	"pkix.Extension":                                "crypto/x509/pkix",
-	"pkix.Name":                                     "crypto/x509/pkix",
-	"pkix.RDNSequence":                              "crypto/x509/pkix",
-	"pkix.RelativeDistinguishedNameSET":             "crypto/x509/pkix",
-	"pkix.RevokedCertificate":                       "crypto/x509/pkix",
-	"pkix.TBSCertificateList":                       "crypto/x509/pkix",
-	"plan9obj.File":                                 "debug/plan9obj",
-	"plan9obj.FileHeader":                           "debug/plan9obj",
-	"plan9obj.Magic386":                             "debug/plan9obj",
-	"plan9obj.Magic64":                              "debug/plan9obj",
-	"plan9obj.MagicAMD64":                           "debug/plan9obj",
-	"plan9obj.MagicARM":                             "debug/plan9obj",
-	"plan9obj.NewFile":                              "debug/plan9obj",
-	"plan9obj.Open":                                 "debug/plan9obj",
-	"plan9obj.Section":                              "debug/plan9obj",
-	"plan9obj.SectionHeader":                        "debug/plan9obj",
-	"plan9obj.Sym":                                  "debug/plan9obj",
-	"png.BestCompression":                           "image/png",
-	"png.BestSpeed":                                 "image/png",
-	"png.CompressionLevel":                          "image/png",
-	"png.Decode":                                    "image/png",
-	"png.DecodeConfig":                              "image/png",
-	"png.DefaultCompression":                        "image/png",
-	"png.Encode":                                    "image/png",
-	"png.Encoder":                                   "image/png",
-	"png.FormatError":                               "image/png",
-	"png.NoCompression":                             "image/png",
-	"png.UnsupportedError":                          "image/png",
-	"pprof.Cmdline":                                 "net/http/pprof",
-	"pprof.Handler":                                 "net/http/pprof",
-	"pprof.Index":                                   "net/http/pprof",
-	"pprof.Lookup":                                  "runtime/pprof",
-	"pprof.NewProfile":                              "runtime/pprof",
-	// "pprof.Profile" is ambiguous
-	"pprof.Profiles":            "runtime/pprof",
-	"pprof.StartCPUProfile":     "runtime/pprof",
-	"pprof.StopCPUProfile":      "runtime/pprof",
-	"pprof.Symbol":              "net/http/pprof",
-	"pprof.Trace":               "net/http/pprof",
-	"pprof.WriteHeapProfile":    "runtime/pprof",
-	"printer.CommentedNode":     "go/printer",
-	"printer.Config":            "go/printer",
-	"printer.Fprint":            "go/printer",
-	"printer.Mode":              "go/printer",
-	"printer.RawFormat":         "go/printer",
-	"printer.SourcePos":         "go/printer",
-	"printer.TabIndent":         "go/printer",
-	"printer.UseSpaces":         "go/printer",
-	"quick.Check":               "testing/quick",
-	"quick.CheckEqual":          "testing/quick",
-	"quick.CheckEqualError":     "testing/quick",
-	"quick.CheckError":          "testing/quick",
-	"quick.Config":              "testing/quick",
-	"quick.Generator":           "testing/quick",
-	"quick.SetupError":          "testing/quick",
-	"quick.Value":               "testing/quick",
-	"quotedprintable.NewReader": "mime/quotedprintable",
-	"quotedprintable.NewWriter": "mime/quotedprintable",
-	"quotedprintable.Reader":    "mime/quotedprintable",
-	"quotedprintable.Writer":    "mime/quotedprintable",
-	"rand.ExpFloat64":           "math/rand",
-	"rand.Float32":              "math/rand",
-	"rand.Float64":              "math/rand",
-	// "rand.Int" is ambiguous
-	"rand.Int31":       "math/rand",
-	"rand.Int31n":      "math/rand",
-	"rand.Int63":       "math/rand",
-	"rand.Int63n":      "math/rand",
-	"rand.Intn":        "math/rand",
-	"rand.New":         "math/rand",
-	"rand.NewSource":   "math/rand",
-	"rand.NewZipf":     "math/rand",
-	"rand.NormFloat64": "math/rand",
-	"rand.Perm":        "math/rand",
-	"rand.Prime":       "crypto/rand",
-	"rand.Rand":        "math/rand",
-	// "rand.Read" is ambiguous
-	"rand.Reader":                   "crypto/rand",
-	"rand.Seed":                     "math/rand",
-	"rand.Source":                   "math/rand",
-	"rand.Uint32":                   "math/rand",
-	"rand.Zipf":                     "math/rand",
-	"rc4.Cipher":                    "crypto/rc4",
-	"rc4.KeySizeError":              "crypto/rc4",
-	"rc4.NewCipher":                 "crypto/rc4",
-	"reflect.Append":                "reflect",
-	"reflect.AppendSlice":           "reflect",
-	"reflect.Array":                 "reflect",
-	"reflect.ArrayOf":               "reflect",
-	"reflect.Bool":                  "reflect",
-	"reflect.BothDir":               "reflect",
-	"reflect.Chan":                  "reflect",
-	"reflect.ChanDir":               "reflect",
-	"reflect.ChanOf":                "reflect",
-	"reflect.Complex128":            "reflect",
-	"reflect.Complex64":             "reflect",
-	"reflect.Copy":                  "reflect",
-	"reflect.DeepEqual":             "reflect",
-	"reflect.Float32":               "reflect",
-	"reflect.Float64":               "reflect",
-	"reflect.Func":                  "reflect",
-	"reflect.FuncOf":                "reflect",
-	"reflect.Indirect":              "reflect",
-	"reflect.Int":                   "reflect",
-	"reflect.Int16":                 "reflect",
-	"reflect.Int32":                 "reflect",
-	"reflect.Int64":                 "reflect",
-	"reflect.Int8":                  "reflect",
-	"reflect.Interface":             "reflect",
-	"reflect.Invalid":               "reflect",
-	"reflect.Kind":                  "reflect",
-	"reflect.MakeChan":              "reflect",
-	"reflect.MakeFunc":              "reflect",
-	"reflect.MakeMap":               "reflect",
-	"reflect.MakeSlice":             "reflect",
-	"reflect.Map":                   "reflect",
-	"reflect.MapOf":                 "reflect",
-	"reflect.Method":                "reflect",
-	"reflect.New":                   "reflect",
-	"reflect.NewAt":                 "reflect",
-	"reflect.Ptr":                   "reflect",
-	"reflect.PtrTo":                 "reflect",
-	"reflect.RecvDir":               "reflect",
-	"reflect.Select":                "reflect",
-	"reflect.SelectCase":            "reflect",
-	"reflect.SelectDefault":         "reflect",
-	"reflect.SelectDir":             "reflect",
-	"reflect.SelectRecv":            "reflect",
-	"reflect.SelectSend":            "reflect",
-	"reflect.SendDir":               "reflect",
-	"reflect.Slice":                 "reflect",
-	"reflect.SliceHeader":           "reflect",
-	"reflect.SliceOf":               "reflect",
-	"reflect.String":                "reflect",
-	"reflect.StringHeader":          "reflect",
-	"reflect.Struct":                "reflect",
-	"reflect.StructField":           "reflect",
-	"reflect.StructTag":             "reflect",
-	"reflect.TypeOf":                "reflect",
-	"reflect.Uint":                  "reflect",
-	"reflect.Uint16":                "reflect",
-	"reflect.Uint32":                "reflect",
-	"reflect.Uint64":                "reflect",
-	"reflect.Uint8":                 "reflect",
-	"reflect.Uintptr":               "reflect",
-	"reflect.UnsafePointer":         "reflect",
-	"reflect.Value":                 "reflect",
-	"reflect.ValueError":            "reflect",
-	"reflect.ValueOf":               "reflect",
-	"reflect.Zero":                  "reflect",
-	"regexp.Compile":                "regexp",
-	"regexp.CompilePOSIX":           "regexp",
-	"regexp.Match":                  "regexp",
-	"regexp.MatchReader":            "regexp",
-	"regexp.MatchString":            "regexp",
-	"regexp.MustCompile":            "regexp",
-	"regexp.MustCompilePOSIX":       "regexp",
-	"regexp.QuoteMeta":              "regexp",
-	"regexp.Regexp":                 "regexp",
-	"ring.New":                      "container/ring",
-	"ring.Ring":                     "container/ring",
-	"rpc.Accept":                    "net/rpc",
-	"rpc.Call":                      "net/rpc",
-	"rpc.Client":                    "net/rpc",
-	"rpc.ClientCodec":               "net/rpc",
-	"rpc.DefaultDebugPath":          "net/rpc",
-	"rpc.DefaultRPCPath":            "net/rpc",
-	"rpc.DefaultServer":             "net/rpc",
-	"rpc.Dial":                      "net/rpc",
-	"rpc.DialHTTP":                  "net/rpc",
-	"rpc.DialHTTPPath":              "net/rpc",
-	"rpc.ErrShutdown":               "net/rpc",
-	"rpc.HandleHTTP":                "net/rpc",
-	"rpc.NewClient":                 "net/rpc",
-	"rpc.NewClientWithCodec":        "net/rpc",
-	"rpc.NewServer":                 "net/rpc",
-	"rpc.Register":                  "net/rpc",
-	"rpc.RegisterName":              "net/rpc",
-	"rpc.Request":                   "net/rpc",
-	"rpc.Response":                  "net/rpc",
-	"rpc.ServeCodec":                "net/rpc",
-	"rpc.ServeConn":                 "net/rpc",
-	"rpc.ServeRequest":              "net/rpc",
-	"rpc.Server":                    "net/rpc",
-	"rpc.ServerCodec":               "net/rpc",
-	"rpc.ServerError":               "net/rpc",
-	"rsa.CRTValue":                  "crypto/rsa",
-	"rsa.DecryptOAEP":               "crypto/rsa",
-	"rsa.DecryptPKCS1v15":           "crypto/rsa",
-	"rsa.DecryptPKCS1v15SessionKey": "crypto/rsa",
-	"rsa.EncryptOAEP":               "crypto/rsa",
-	"rsa.EncryptPKCS1v15":           "crypto/rsa",
-	"rsa.ErrDecryption":             "crypto/rsa",
-	"rsa.ErrMessageTooLong":         "crypto/rsa",
-	"rsa.ErrVerification":           "crypto/rsa",
-	"rsa.GenerateKey":               "crypto/rsa",
-	"rsa.GenerateMultiPrimeKey":     "crypto/rsa",
-	"rsa.OAEPOptions":               "crypto/rsa",
-	"rsa.PKCS1v15DecryptOptions":    "crypto/rsa",
-	"rsa.PSSOptions":                "crypto/rsa",
-	"rsa.PSSSaltLengthAuto":         "crypto/rsa",
-	"rsa.PSSSaltLengthEqualsHash":   "crypto/rsa",
-	"rsa.PrecomputedValues":         "crypto/rsa",
-	"rsa.PrivateKey":                "crypto/rsa",
-	"rsa.PublicKey":                 "crypto/rsa",
-	"rsa.SignPKCS1v15":              "crypto/rsa",
-	"rsa.SignPSS":                   "crypto/rsa",
-	"rsa.VerifyPKCS1v15":            "crypto/rsa",
-	"rsa.VerifyPSS":                 "crypto/rsa",
-	"runtime.BlockProfile":          "runtime",
-	"runtime.BlockProfileRecord":    "runtime",
-	"runtime.Breakpoint":            "runtime",
-	"runtime.CPUProfile":            "runtime",
-	"runtime.Caller":                "runtime",
-	"runtime.Callers":               "runtime",
-	"runtime.Compiler":              "runtime",
-	"runtime.Error":                 "runtime",
-	"runtime.Func":                  "runtime",
-	"runtime.FuncForPC":             "runtime",
-	"runtime.GC":                    "runtime",
-	"runtime.GOARCH":                "runtime",
-	"runtime.GOMAXPROCS":            "runtime",
-	"runtime.GOOS":                  "runtime",
-	"runtime.GOROOT":                "runtime",
-	"runtime.Goexit":                "runtime",
-	"runtime.GoroutineProfile":      "runtime",
-	"runtime.Gosched":               "runtime",
-	"runtime.LockOSThread":          "runtime",
-	"runtime.MemProfile":            "runtime",
-	"runtime.MemProfileRate":        "runtime",
-	"runtime.MemProfileRecord":      "runtime",
-	"runtime.MemStats":              "runtime",
-	"runtime.NumCPU":                "runtime",
-	"runtime.NumCgoCall":            "runtime",
-	"runtime.NumGoroutine":          "runtime",
-	"runtime.ReadMemStats":          "runtime",
-	"runtime.ReadTrace":             "runtime",
-	"runtime.SetBlockProfileRate":   "runtime",
-	"runtime.SetCPUProfileRate":     "runtime",
-	"runtime.SetFinalizer":          "runtime",
-	"runtime.Stack":                 "runtime",
-	"runtime.StackRecord":           "runtime",
-	"runtime.StartTrace":            "runtime",
-	"runtime.StopTrace":             "runtime",
-	"runtime.ThreadCreateProfile":   "runtime",
-	"runtime.TypeAssertionError":    "runtime",
-	"runtime.UnlockOSThread":        "runtime",
-	"runtime.Version":               "runtime",
-	"scanner.Char":                  "text/scanner",
-	"scanner.Comment":               "text/scanner",
-	"scanner.EOF":                   "text/scanner",
-	"scanner.Error":                 "go/scanner",
-	"scanner.ErrorHandler":          "go/scanner",
-	"scanner.ErrorList":             "go/scanner",
-	"scanner.Float":                 "text/scanner",
-	"scanner.GoTokens":              "text/scanner",
-	"scanner.GoWhitespace":          "text/scanner",
-	"scanner.Ident":                 "text/scanner",
-	"scanner.Int":                   "text/scanner",
-	"scanner.Mode":                  "go/scanner",
-	"scanner.Position":              "text/scanner",
-	"scanner.PrintError":            "go/scanner",
-	"scanner.RawString":             "text/scanner",
-	"scanner.ScanChars":             "text/scanner",
-	// "scanner.ScanComments" is ambiguous
-	"scanner.ScanFloats":     "text/scanner",
-	"scanner.ScanIdents":     "text/scanner",
-	"scanner.ScanInts":       "text/scanner",
-	"scanner.ScanRawStrings": "text/scanner",
-	"scanner.ScanStrings":    "text/scanner",
-	// "scanner.Scanner" is ambiguous
-	"scanner.SkipComments":                                 "text/scanner",
-	"scanner.String":                                       "text/scanner",
-	"scanner.TokenString":                                  "text/scanner",
-	"sha1.BlockSize":                                       "crypto/sha1",
-	"sha1.New":                                             "crypto/sha1",
-	"sha1.Size":                                            "crypto/sha1",
-	"sha1.Sum":                                             "crypto/sha1",
-	"sha256.BlockSize":                                     "crypto/sha256",
-	"sha256.New":                                           "crypto/sha256",
-	"sha256.New224":                                        "crypto/sha256",
-	"sha256.Size":                                          "crypto/sha256",
-	"sha256.Size224":                                       "crypto/sha256",
-	"sha256.Sum224":                                        "crypto/sha256",
-	"sha256.Sum256":                                        "crypto/sha256",
-	"sha512.BlockSize":                                     "crypto/sha512",
-	"sha512.New":                                           "crypto/sha512",
-	"sha512.New384":                                        "crypto/sha512",
-	"sha512.New512_224":                                    "crypto/sha512",
-	"sha512.New512_256":                                    "crypto/sha512",
-	"sha512.Size":                                          "crypto/sha512",
-	"sha512.Size224":                                       "crypto/sha512",
-	"sha512.Size256":                                       "crypto/sha512",
-	"sha512.Size384":                                       "crypto/sha512",
-	"sha512.Sum384":                                        "crypto/sha512",
-	"sha512.Sum512":                                        "crypto/sha512",
-	"sha512.Sum512_224":                                    "crypto/sha512",
-	"sha512.Sum512_256":                                    "crypto/sha512",
-	"signal.Ignore":                                        "os/signal",
-	"signal.Notify":                                        "os/signal",
-	"signal.Reset":                                         "os/signal",
-	"signal.Stop":                                          "os/signal",
-	"smtp.Auth":                                            "net/smtp",
-	"smtp.CRAMMD5Auth":                                     "net/smtp",
-	"smtp.Client":                                          "net/smtp",
-	"smtp.Dial":                                            "net/smtp",
-	"smtp.NewClient":                                       "net/smtp",
-	"smtp.PlainAuth":                                       "net/smtp",
-	"smtp.SendMail":                                        "net/smtp",
-	"smtp.ServerInfo":                                      "net/smtp",
-	"sort.Float64Slice":                                    "sort",
-	"sort.Float64s":                                        "sort",
-	"sort.Float64sAreSorted":                               "sort",
-	"sort.IntSlice":                                        "sort",
-	"sort.Interface":                                       "sort",
-	"sort.Ints":                                            "sort",
-	"sort.IntsAreSorted":                                   "sort",
-	"sort.IsSorted":                                        "sort",
-	"sort.Reverse":                                         "sort",
-	"sort.Search":                                          "sort",
-	"sort.SearchFloat64s":                                  "sort",
-	"sort.SearchInts":                                      "sort",
-	"sort.SearchStrings":                                   "sort",
-	"sort.Sort":                                            "sort",
-	"sort.Stable":                                          "sort",
-	"sort.StringSlice":                                     "sort",
-	"sort.Strings":                                         "sort",
-	"sort.StringsAreSorted":                                "sort",
-	"sql.DB":                                               "database/sql",
-	"sql.DBStats":                                          "database/sql",
-	"sql.Drivers":                                          "database/sql",
-	"sql.ErrNoRows":                                        "database/sql",
-	"sql.ErrTxDone":                                        "database/sql",
-	"sql.NullBool":                                         "database/sql",
-	"sql.NullFloat64":                                      "database/sql",
-	"sql.NullInt64":                                        "database/sql",
-	"sql.NullString":                                       "database/sql",
-	"sql.Open":                                             "database/sql",
-	"sql.RawBytes":                                         "database/sql",
-	"sql.Register":                                         "database/sql",
-	"sql.Result":                                           "database/sql",
-	"sql.Row":                                              "database/sql",
-	"sql.Rows":                                             "database/sql",
-	"sql.Scanner":                                          "database/sql",
-	"sql.Stmt":                                             "database/sql",
-	"sql.Tx":                                               "database/sql",
-	"strconv.AppendBool":                                   "strconv",
-	"strconv.AppendFloat":                                  "strconv",
-	"strconv.AppendInt":                                    "strconv",
-	"strconv.AppendQuote":                                  "strconv",
-	"strconv.AppendQuoteRune":                              "strconv",
-	"strconv.AppendQuoteRuneToASCII":                       "strconv",
-	"strconv.AppendQuoteRuneToGraphic":                     "strconv",
-	"strconv.AppendQuoteToASCII":                           "strconv",
-	"strconv.AppendQuoteToGraphic":                         "strconv",
-	"strconv.AppendUint":                                   "strconv",
-	"strconv.Atoi":                                         "strconv",
-	"strconv.CanBackquote":                                 "strconv",
-	"strconv.ErrRange":                                     "strconv",
-	"strconv.ErrSyntax":                                    "strconv",
-	"strconv.FormatBool":                                   "strconv",
-	"strconv.FormatFloat":                                  "strconv",
-	"strconv.FormatInt":                                    "strconv",
-	"strconv.FormatUint":                                   "strconv",
-	"strconv.IntSize":                                      "strconv",
-	"strconv.IsGraphic":                                    "strconv",
-	"strconv.IsPrint":                                      "strconv",
-	"strconv.Itoa":                                         "strconv",
-	"strconv.NumError":                                     "strconv",
-	"strconv.ParseBool":                                    "strconv",
-	"strconv.ParseFloat":                                   "strconv",
-	"strconv.ParseInt":                                     "strconv",
-	"strconv.ParseUint":                                    "strconv",
-	"strconv.Quote":                                        "strconv",
-	"strconv.QuoteRune":                                    "strconv",
-	"strconv.QuoteRuneToASCII":                             "strconv",
-	"strconv.QuoteRuneToGraphic":                           "strconv",
-	"strconv.QuoteToASCII":                                 "strconv",
-	"strconv.QuoteToGraphic":                               "strconv",
-	"strconv.Unquote":                                      "strconv",
-	"strconv.UnquoteChar":                                  "strconv",
-	"strings.Compare":                                      "strings",
-	"strings.Contains":                                     "strings",
-	"strings.ContainsAny":                                  "strings",
-	"strings.ContainsRune":                                 "strings",
-	"strings.Count":                                        "strings",
-	"strings.EqualFold":                                    "strings",
-	"strings.Fields":                                       "strings",
-	"strings.FieldsFunc":                                   "strings",
-	"strings.HasPrefix":                                    "strings",
-	"strings.HasSuffix":                                    "strings",
-	"strings.Index":                                        "strings",
-	"strings.IndexAny":                                     "strings",
-	"strings.IndexByte":                                    "strings",
-	"strings.IndexFunc":                                    "strings",
-	"strings.IndexRune":                                    "strings",
-	"strings.Join":                                         "strings",
-	"strings.LastIndex":                                    "strings",
-	"strings.LastIndexAny":                                 "strings",
-	"strings.LastIndexByte":                                "strings",
-	"strings.LastIndexFunc":                                "strings",
-	"strings.Map":                                          "strings",
-	"strings.NewReader":                                    "strings",
-	"strings.NewReplacer":                                  "strings",
-	"strings.Reader":                                       "strings",
-	"strings.Repeat":                                       "strings",
-	"strings.Replace":                                      "strings",
-	"strings.Replacer":                                     "strings",
-	"strings.Split":                                        "strings",
-	"strings.SplitAfter":                                   "strings",
-	"strings.SplitAfterN":                                  "strings",
-	"strings.SplitN":                                       "strings",
-	"strings.Title":                                        "strings",
-	"strings.ToLower":                                      "strings",
-	"strings.ToLowerSpecial":                               "strings",
-	"strings.ToTitle":                                      "strings",
-	"strings.ToTitleSpecial":                               "strings",
-	"strings.ToUpper":                                      "strings",
-	"strings.ToUpperSpecial":                               "strings",
-	"strings.Trim":                                         "strings",
-	"strings.TrimFunc":                                     "strings",
-	"strings.TrimLeft":                                     "strings",
-	"strings.TrimLeftFunc":                                 "strings",
-	"strings.TrimPrefix":                                   "strings",
-	"strings.TrimRight":                                    "strings",
-	"strings.TrimRightFunc":                                "strings",
-	"strings.TrimSpace":                                    "strings",
-	"strings.TrimSuffix":                                   "strings",
-	"subtle.ConstantTimeByteEq":                            "crypto/subtle",
-	"subtle.ConstantTimeCompare":                           "crypto/subtle",
-	"subtle.ConstantTimeCopy":                              "crypto/subtle",
-	"subtle.ConstantTimeEq":                                "crypto/subtle",
-	"subtle.ConstantTimeLessOrEq":                          "crypto/subtle",
-	"subtle.ConstantTimeSelect":                            "crypto/subtle",
-	"suffixarray.Index":                                    "index/suffixarray",
-	"suffixarray.New":                                      "index/suffixarray",
-	"sync.Cond":                                            "sync",
-	"sync.Locker":                                          "sync",
-	"sync.Mutex":                                           "sync",
-	"sync.NewCond":                                         "sync",
-	"sync.Once":                                            "sync",
-	"sync.Pool":                                            "sync",
-	"sync.RWMutex":                                         "sync",
-	"sync.WaitGroup":                                       "sync",
-	"syntax.ClassNL":                                       "regexp/syntax",
-	"syntax.Compile":                                       "regexp/syntax",
-	"syntax.DotNL":                                         "regexp/syntax",
-	"syntax.EmptyBeginLine":                                "regexp/syntax",
-	"syntax.EmptyBeginText":                                "regexp/syntax",
-	"syntax.EmptyEndLine":                                  "regexp/syntax",
-	"syntax.EmptyEndText":                                  "regexp/syntax",
-	"syntax.EmptyNoWordBoundary":                           "regexp/syntax",
-	"syntax.EmptyOp":                                       "regexp/syntax",
-	"syntax.EmptyOpContext":                                "regexp/syntax",
-	"syntax.EmptyWordBoundary":                             "regexp/syntax",
-	"syntax.ErrInternalError":                              "regexp/syntax",
-	"syntax.ErrInvalidCharClass":                           "regexp/syntax",
-	"syntax.ErrInvalidCharRange":                           "regexp/syntax",
-	"syntax.ErrInvalidEscape":                              "regexp/syntax",
-	"syntax.ErrInvalidNamedCapture":                        "regexp/syntax",
-	"syntax.ErrInvalidPerlOp":                              "regexp/syntax",
-	"syntax.ErrInvalidRepeatOp":                            "regexp/syntax",
-	"syntax.ErrInvalidRepeatSize":                          "regexp/syntax",
-	"syntax.ErrInvalidUTF8":                                "regexp/syntax",
-	"syntax.ErrMissingBracket":                             "regexp/syntax",
-	"syntax.ErrMissingParen":                               "regexp/syntax",
-	"syntax.ErrMissingRepeatArgument":                      "regexp/syntax",
-	"syntax.ErrTrailingBackslash":                          "regexp/syntax",
-	"syntax.ErrUnexpectedParen":                            "regexp/syntax",
-	"syntax.Error":                                         "regexp/syntax",
-	"syntax.ErrorCode":                                     "regexp/syntax",
-	"syntax.Flags":                                         "regexp/syntax",
-	"syntax.FoldCase":                                      "regexp/syntax",
-	"syntax.Inst":                                          "regexp/syntax",
-	"syntax.InstAlt":                                       "regexp/syntax",
-	"syntax.InstAltMatch":                                  "regexp/syntax",
-	"syntax.InstCapture":                                   "regexp/syntax",
-	"syntax.InstEmptyWidth":                                "regexp/syntax",
-	"syntax.InstFail":                                      "regexp/syntax",
-	"syntax.InstMatch":                                     "regexp/syntax",
-	"syntax.InstNop":                                       "regexp/syntax",
-	"syntax.InstOp":                                        "regexp/syntax",
-	"syntax.InstRune":                                      "regexp/syntax",
-	"syntax.InstRune1":                                     "regexp/syntax",
-	"syntax.InstRuneAny":                                   "regexp/syntax",
-	"syntax.InstRuneAnyNotNL":                              "regexp/syntax",
-	"syntax.IsWordChar":                                    "regexp/syntax",
-	"syntax.Literal":                                       "regexp/syntax",
-	"syntax.MatchNL":                                       "regexp/syntax",
-	"syntax.NonGreedy":                                     "regexp/syntax",
-	"syntax.OneLine":                                       "regexp/syntax",
-	"syntax.Op":                                            "regexp/syntax",
-	"syntax.OpAlternate":                                   "regexp/syntax",
-	"syntax.OpAnyChar":                                     "regexp/syntax",
-	"syntax.OpAnyCharNotNL":                                "regexp/syntax",
-	"syntax.OpBeginLine":                                   "regexp/syntax",
-	"syntax.OpBeginText":                                   "regexp/syntax",
-	"syntax.OpCapture":                                     "regexp/syntax",
-	"syntax.OpCharClass":                                   "regexp/syntax",
-	"syntax.OpConcat":                                      "regexp/syntax",
-	"syntax.OpEmptyMatch":                                  "regexp/syntax",
-	"syntax.OpEndLine":                                     "regexp/syntax",
-	"syntax.OpEndText":                                     "regexp/syntax",
-	"syntax.OpLiteral":                                     "regexp/syntax",
-	"syntax.OpNoMatch":                                     "regexp/syntax",
-	"syntax.OpNoWordBoundary":                              "regexp/syntax",
-	"syntax.OpPlus":                                        "regexp/syntax",
-	"syntax.OpQuest":                                       "regexp/syntax",
-	"syntax.OpRepeat":                                      "regexp/syntax",
-	"syntax.OpStar":                                        "regexp/syntax",
-	"syntax.OpWordBoundary":                                "regexp/syntax",
-	"syntax.POSIX":                                         "regexp/syntax",
-	"syntax.Parse":                                         "regexp/syntax",
-	"syntax.Perl":                                          "regexp/syntax",
-	"syntax.PerlX":                                         "regexp/syntax",
-	"syntax.Prog":                                          "regexp/syntax",
-	"syntax.Regexp":                                        "regexp/syntax",
-	"syntax.Simple":                                        "regexp/syntax",
-	"syntax.UnicodeGroups":                                 "regexp/syntax",
-	"syntax.WasDollar":                                     "regexp/syntax",
-	"syscall.AF_ALG":                                       "syscall",
-	"syscall.AF_APPLETALK":                                 "syscall",
-	"syscall.AF_ARP":                                       "syscall",
-	"syscall.AF_ASH":                                       "syscall",
-	"syscall.AF_ATM":                                       "syscall",
-	"syscall.AF_ATMPVC":                                    "syscall",
-	"syscall.AF_ATMSVC":                                    "syscall",
-	"syscall.AF_AX25":                                      "syscall",
-	"syscall.AF_BLUETOOTH":                                 "syscall",
-	"syscall.AF_BRIDGE":                                    "syscall",
-	"syscall.AF_CAIF":                                      "syscall",
-	"syscall.AF_CAN":                                       "syscall",
-	"syscall.AF_CCITT":                                     "syscall",
-	"syscall.AF_CHAOS":                                     "syscall",
-	"syscall.AF_CNT":                                       "syscall",
-	"syscall.AF_COIP":                                      "syscall",
-	"syscall.AF_DATAKIT":                                   "syscall",
-	"syscall.AF_DECnet":                                    "syscall",
-	"syscall.AF_DLI":                                       "syscall",
-	"syscall.AF_E164":                                      "syscall",
-	"syscall.AF_ECMA":                                      "syscall",
-	"syscall.AF_ECONET":                                    "syscall",
-	"syscall.AF_ENCAP":                                     "syscall",
-	"syscall.AF_FILE":                                      "syscall",
-	"syscall.AF_HYLINK":                                    "syscall",
-	"syscall.AF_IEEE80211":                                 "syscall",
-	"syscall.AF_IEEE802154":                                "syscall",
-	"syscall.AF_IMPLINK":                                   "syscall",
-	"syscall.AF_INET":                                      "syscall",
-	"syscall.AF_INET6":                                     "syscall",
-	"syscall.AF_INET6_SDP":                                 "syscall",
-	"syscall.AF_INET_SDP":                                  "syscall",
-	"syscall.AF_IPX":                                       "syscall",
-	"syscall.AF_IRDA":                                      "syscall",
-	"syscall.AF_ISDN":                                      "syscall",
-	"syscall.AF_ISO":                                       "syscall",
-	"syscall.AF_IUCV":                                      "syscall",
-	"syscall.AF_KEY":                                       "syscall",
-	"syscall.AF_LAT":                                       "syscall",
-	"syscall.AF_LINK":                                      "syscall",
-	"syscall.AF_LLC":                                       "syscall",
-	"syscall.AF_LOCAL":                                     "syscall",
-	"syscall.AF_MAX":                                       "syscall",
-	"syscall.AF_MPLS":                                      "syscall",
-	"syscall.AF_NATM":                                      "syscall",
-	"syscall.AF_NDRV":                                      "syscall",
-	"syscall.AF_NETBEUI":                                   "syscall",
-	"syscall.AF_NETBIOS":                                   "syscall",
-	"syscall.AF_NETGRAPH":                                  "syscall",
-	"syscall.AF_NETLINK":                                   "syscall",
-	"syscall.AF_NETROM":                                    "syscall",
-	"syscall.AF_NS":                                        "syscall",
-	"syscall.AF_OROUTE":                                    "syscall",
-	"syscall.AF_OSI":                                       "syscall",
-	"syscall.AF_PACKET":                                    "syscall",
-	"syscall.AF_PHONET":                                    "syscall",
-	"syscall.AF_PPP":                                       "syscall",
-	"syscall.AF_PPPOX":                                     "syscall",
-	"syscall.AF_PUP":                                       "syscall",
-	"syscall.AF_RDS":                                       "syscall",
-	"syscall.AF_RESERVED_36":                               "syscall",
-	"syscall.AF_ROSE":                                      "syscall",
-	"syscall.AF_ROUTE":                                     "syscall",
-	"syscall.AF_RXRPC":                                     "syscall",
-	"syscall.AF_SCLUSTER":                                  "syscall",
-	"syscall.AF_SECURITY":                                  "syscall",
-	"syscall.AF_SIP":                                       "syscall",
-	"syscall.AF_SLOW":                                      "syscall",
-	"syscall.AF_SNA":                                       "syscall",
-	"syscall.AF_SYSTEM":                                    "syscall",
-	"syscall.AF_TIPC":                                      "syscall",
-	"syscall.AF_UNIX":                                      "syscall",
-	"syscall.AF_UNSPEC":                                    "syscall",
-	"syscall.AF_VENDOR00":                                  "syscall",
-	"syscall.AF_VENDOR01":                                  "syscall",
-	"syscall.AF_VENDOR02":                                  "syscall",
-	"syscall.AF_VENDOR03":                                  "syscall",
-	"syscall.AF_VENDOR04":                                  "syscall",
-	"syscall.AF_VENDOR05":                                  "syscall",
-	"syscall.AF_VENDOR06":                                  "syscall",
-	"syscall.AF_VENDOR07":                                  "syscall",
-	"syscall.AF_VENDOR08":                                  "syscall",
-	"syscall.AF_VENDOR09":                                  "syscall",
-	"syscall.AF_VENDOR10":                                  "syscall",
-	"syscall.AF_VENDOR11":                                  "syscall",
-	"syscall.AF_VENDOR12":                                  "syscall",
-	"syscall.AF_VENDOR13":                                  "syscall",
-	"syscall.AF_VENDOR14":                                  "syscall",
-	"syscall.AF_VENDOR15":                                  "syscall",
-	"syscall.AF_VENDOR16":                                  "syscall",
-	"syscall.AF_VENDOR17":                                  "syscall",
-	"syscall.AF_VENDOR18":                                  "syscall",
-	"syscall.AF_VENDOR19":                                  "syscall",
-	"syscall.AF_VENDOR20":                                  "syscall",
-	"syscall.AF_VENDOR21":                                  "syscall",
-	"syscall.AF_VENDOR22":                                  "syscall",
-	"syscall.AF_VENDOR23":                                  "syscall",
-	"syscall.AF_VENDOR24":                                  "syscall",
-	"syscall.AF_VENDOR25":                                  "syscall",
-	"syscall.AF_VENDOR26":                                  "syscall",
-	"syscall.AF_VENDOR27":                                  "syscall",
-	"syscall.AF_VENDOR28":                                  "syscall",
-	"syscall.AF_VENDOR29":                                  "syscall",
-	"syscall.AF_VENDOR30":                                  "syscall",
-	"syscall.AF_VENDOR31":                                  "syscall",
-	"syscall.AF_VENDOR32":                                  "syscall",
-	"syscall.AF_VENDOR33":                                  "syscall",
-	"syscall.AF_VENDOR34":                                  "syscall",
-	"syscall.AF_VENDOR35":                                  "syscall",
-	"syscall.AF_VENDOR36":                                  "syscall",
-	"syscall.AF_VENDOR37":                                  "syscall",
-	"syscall.AF_VENDOR38":                                  "syscall",
-	"syscall.AF_VENDOR39":                                  "syscall",
-	"syscall.AF_VENDOR40":                                  "syscall",
-	"syscall.AF_VENDOR41":                                  "syscall",
-	"syscall.AF_VENDOR42":                                  "syscall",
-	"syscall.AF_VENDOR43":                                  "syscall",
-	"syscall.AF_VENDOR44":                                  "syscall",
-	"syscall.AF_VENDOR45":                                  "syscall",
-	"syscall.AF_VENDOR46":                                  "syscall",
-	"syscall.AF_VENDOR47":                                  "syscall",
-	"syscall.AF_WANPIPE":                                   "syscall",
-	"syscall.AF_X25":                                       "syscall",
-	"syscall.AI_CANONNAME":                                 "syscall",
-	"syscall.AI_NUMERICHOST":                               "syscall",
-	"syscall.AI_PASSIVE":                                   "syscall",
-	"syscall.APPLICATION_ERROR":                            "syscall",
-	"syscall.ARPHRD_ADAPT":                                 "syscall",
-	"syscall.ARPHRD_APPLETLK":                              "syscall",
-	"syscall.ARPHRD_ARCNET":                                "syscall",
-	"syscall.ARPHRD_ASH":                                   "syscall",
-	"syscall.ARPHRD_ATM":                                   "syscall",
-	"syscall.ARPHRD_AX25":                                  "syscall",
-	"syscall.ARPHRD_BIF":                                   "syscall",
-	"syscall.ARPHRD_CHAOS":                                 "syscall",
-	"syscall.ARPHRD_CISCO":                                 "syscall",
-	"syscall.ARPHRD_CSLIP":                                 "syscall",
-	"syscall.ARPHRD_CSLIP6":                                "syscall",
-	"syscall.ARPHRD_DDCMP":                                 "syscall",
-	"syscall.ARPHRD_DLCI":                                  "syscall",
-	"syscall.ARPHRD_ECONET":                                "syscall",
-	"syscall.ARPHRD_EETHER":                                "syscall",
-	"syscall.ARPHRD_ETHER":                                 "syscall",
-	"syscall.ARPHRD_EUI64":                                 "syscall",
-	"syscall.ARPHRD_FCAL":                                  "syscall",
-	"syscall.ARPHRD_FCFABRIC":                              "syscall",
-	"syscall.ARPHRD_FCPL":                                  "syscall",
-	"syscall.ARPHRD_FCPP":                                  "syscall",
-	"syscall.ARPHRD_FDDI":                                  "syscall",
-	"syscall.ARPHRD_FRAD":                                  "syscall",
-	"syscall.ARPHRD_FRELAY":                                "syscall",
-	"syscall.ARPHRD_HDLC":                                  "syscall",
-	"syscall.ARPHRD_HIPPI":                                 "syscall",
-	"syscall.ARPHRD_HWX25":                                 "syscall",
-	"syscall.ARPHRD_IEEE1394":                              "syscall",
-	"syscall.ARPHRD_IEEE802":                               "syscall",
-	"syscall.ARPHRD_IEEE80211":                             "syscall",
-	"syscall.ARPHRD_IEEE80211_PRISM":                       "syscall",
-	"syscall.ARPHRD_IEEE80211_RADIOTAP":                    "syscall",
-	"syscall.ARPHRD_IEEE802154":                            "syscall",
-	"syscall.ARPHRD_IEEE802154_PHY":                        "syscall",
-	"syscall.ARPHRD_IEEE802_TR":                            "syscall",
-	"syscall.ARPHRD_INFINIBAND":                            "syscall",
-	"syscall.ARPHRD_IPDDP":                                 "syscall",
-	"syscall.ARPHRD_IPGRE":                                 "syscall",
-	"syscall.ARPHRD_IRDA":                                  "syscall",
-	"syscall.ARPHRD_LAPB":                                  "syscall",
-	"syscall.ARPHRD_LOCALTLK":                              "syscall",
-	"syscall.ARPHRD_LOOPBACK":                              "syscall",
-	"syscall.ARPHRD_METRICOM":                              "syscall",
-	"syscall.ARPHRD_NETROM":                                "syscall",
-	"syscall.ARPHRD_NONE":                                  "syscall",
-	"syscall.ARPHRD_PIMREG":                                "syscall",
-	"syscall.ARPHRD_PPP":                                   "syscall",
-	"syscall.ARPHRD_PRONET":                                "syscall",
-	"syscall.ARPHRD_RAWHDLC":                               "syscall",
-	"syscall.ARPHRD_ROSE":                                  "syscall",
-	"syscall.ARPHRD_RSRVD":                                 "syscall",
-	"syscall.ARPHRD_SIT":                                   "syscall",
-	"syscall.ARPHRD_SKIP":                                  "syscall",
-	"syscall.ARPHRD_SLIP":                                  "syscall",
-	"syscall.ARPHRD_SLIP6":                                 "syscall",
-	"syscall.ARPHRD_STRIP":                                 "syscall",
-	"syscall.ARPHRD_TUNNEL":                                "syscall",
-	"syscall.ARPHRD_TUNNEL6":                               "syscall",
-	"syscall.ARPHRD_VOID":                                  "syscall",
-	"syscall.ARPHRD_X25":                                   "syscall",
-	"syscall.AUTHTYPE_CLIENT":                              "syscall",
-	"syscall.AUTHTYPE_SERVER":                              "syscall",
-	"syscall.Accept":                                       "syscall",
-	"syscall.Accept4":                                      "syscall",
-	"syscall.AcceptEx":                                     "syscall",
-	"syscall.Access":                                       "syscall",
-	"syscall.Acct":                                         "syscall",
-	"syscall.AddrinfoW":                                    "syscall",
-	"syscall.Adjtime":                                      "syscall",
-	"syscall.Adjtimex":                                     "syscall",
-	"syscall.AttachLsf":                                    "syscall",
-	"syscall.B0":                                           "syscall",
-	"syscall.B1000000":                                     "syscall",
-	"syscall.B110":                                         "syscall",
-	"syscall.B115200":                                      "syscall",
-	"syscall.B1152000":                                     "syscall",
-	"syscall.B1200":                                        "syscall",
-	"syscall.B134":                                         "syscall",
-	"syscall.B14400":                                       "syscall",
-	"syscall.B150":                                         "syscall",
-	"syscall.B1500000":                                     "syscall",
-	"syscall.B1800":                                        "syscall",
-	"syscall.B19200":                                       "syscall",
-	"syscall.B200":                                         "syscall",
-	"syscall.B2000000":                                     "syscall",
-	"syscall.B230400":                                      "syscall",
-	"syscall.B2400":                                        "syscall",
-	"syscall.B2500000":                                     "syscall",
-	"syscall.B28800":                                       "syscall",
-	"syscall.B300":                                         "syscall",
-	"syscall.B3000000":                                     "syscall",
-	"syscall.B3500000":                                     "syscall",
-	"syscall.B38400":                                       "syscall",
-	"syscall.B4000000":                                     "syscall",
-	"syscall.B460800":                                      "syscall",
-	"syscall.B4800":                                        "syscall",
-	"syscall.B50":                                          "syscall",
-	"syscall.B500000":                                      "syscall",
-	"syscall.B57600":                                       "syscall",
-	"syscall.B576000":                                      "syscall",
-	"syscall.B600":                                         "syscall",
-	"syscall.B7200":                                        "syscall",
-	"syscall.B75":                                          "syscall",
-	"syscall.B76800":                                       "syscall",
-	"syscall.B921600":                                      "syscall",
-	"syscall.B9600":                                        "syscall",
-	"syscall.BASE_PROTOCOL":                                "syscall",
-	"syscall.BIOCFEEDBACK":                                 "syscall",
-	"syscall.BIOCFLUSH":                                    "syscall",
-	"syscall.BIOCGBLEN":                                    "syscall",
-	"syscall.BIOCGDIRECTION":                               "syscall",
-	"syscall.BIOCGDIRFILT":                                 "syscall",
-	"syscall.BIOCGDLT":                                     "syscall",
-	"syscall.BIOCGDLTLIST":                                 "syscall",
-	"syscall.BIOCGETBUFMODE":                               "syscall",
-	"syscall.BIOCGETIF":                                    "syscall",
-	"syscall.BIOCGETZMAX":                                  "syscall",
-	"syscall.BIOCGFEEDBACK":                                "syscall",
-	"syscall.BIOCGFILDROP":                                 "syscall",
-	"syscall.BIOCGHDRCMPLT":                                "syscall",
-	"syscall.BIOCGRSIG":                                    "syscall",
-	"syscall.BIOCGRTIMEOUT":                                "syscall",
-	"syscall.BIOCGSEESENT":                                 "syscall",
-	"syscall.BIOCGSTATS":                                   "syscall",
-	"syscall.BIOCGSTATSOLD":                                "syscall",
-	"syscall.BIOCGTSTAMP":                                  "syscall",
-	"syscall.BIOCIMMEDIATE":                                "syscall",
-	"syscall.BIOCLOCK":                                     "syscall",
-	"syscall.BIOCPROMISC":                                  "syscall",
-	"syscall.BIOCROTZBUF":                                  "syscall",
-	"syscall.BIOCSBLEN":                                    "syscall",
-	"syscall.BIOCSDIRECTION":                               "syscall",
-	"syscall.BIOCSDIRFILT":                                 "syscall",
-	"syscall.BIOCSDLT":                                     "syscall",
-	"syscall.BIOCSETBUFMODE":                               "syscall",
-	"syscall.BIOCSETF":                                     "syscall",
-	"syscall.BIOCSETFNR":                                   "syscall",
-	"syscall.BIOCSETIF":                                    "syscall",
-	"syscall.BIOCSETWF":                                    "syscall",
-	"syscall.BIOCSETZBUF":                                  "syscall",
-	"syscall.BIOCSFEEDBACK":                                "syscall",
-	"syscall.BIOCSFILDROP":                                 "syscall",
-	"syscall.BIOCSHDRCMPLT":                                "syscall",
-	"syscall.BIOCSRSIG":                                    "syscall",
-	"syscall.BIOCSRTIMEOUT":                                "syscall",
-	"syscall.BIOCSSEESENT":                                 "syscall",
-	"syscall.BIOCSTCPF":                                    "syscall",
-	"syscall.BIOCSTSTAMP":                                  "syscall",
-	"syscall.BIOCSUDPF":                                    "syscall",
-	"syscall.BIOCVERSION":                                  "syscall",
-	"syscall.BPF_A":                                        "syscall",
-	"syscall.BPF_ABS":                                      "syscall",
-	"syscall.BPF_ADD":                                      "syscall",
-	"syscall.BPF_ALIGNMENT":                                "syscall",
-	"syscall.BPF_ALIGNMENT32":                              "syscall",
-	"syscall.BPF_ALU":                                      "syscall",
-	"syscall.BPF_AND":                                      "syscall",
-	"syscall.BPF_B":                                        "syscall",
-	"syscall.BPF_BUFMODE_BUFFER":                           "syscall",
-	"syscall.BPF_BUFMODE_ZBUF":                             "syscall",
-	"syscall.BPF_DFLTBUFSIZE":                              "syscall",
-	"syscall.BPF_DIRECTION_IN":                             "syscall",
-	"syscall.BPF_DIRECTION_OUT":                            "syscall",
-	"syscall.BPF_DIV":                                      "syscall",
-	"syscall.BPF_H":                                        "syscall",
-	"syscall.BPF_IMM":                                      "syscall",
-	"syscall.BPF_IND":                                      "syscall",
-	"syscall.BPF_JA":                                       "syscall",
-	"syscall.BPF_JEQ":                                      "syscall",
-	"syscall.BPF_JGE":                                      "syscall",
-	"syscall.BPF_JGT":                                      "syscall",
-	"syscall.BPF_JMP":                                      "syscall",
-	"syscall.BPF_JSET":                                     "syscall",
-	"syscall.BPF_K":                                        "syscall",
-	"syscall.BPF_LD":                                       "syscall",
-	"syscall.BPF_LDX":                                      "syscall",
-	"syscall.BPF_LEN":                                      "syscall",
-	"syscall.BPF_LSH":                                      "syscall",
-	"syscall.BPF_MAJOR_VERSION":                            "syscall",
-	"syscall.BPF_MAXBUFSIZE":                               "syscall",
-	"syscall.BPF_MAXINSNS":                                 "syscall",
-	"syscall.BPF_MEM":                                      "syscall",
-	"syscall.BPF_MEMWORDS":                                 "syscall",
-	"syscall.BPF_MINBUFSIZE":                               "syscall",
-	"syscall.BPF_MINOR_VERSION":                            "syscall",
-	"syscall.BPF_MISC":                                     "syscall",
-	"syscall.BPF_MSH":                                      "syscall",
-	"syscall.BPF_MUL":                                      "syscall",
-	"syscall.BPF_NEG":                                      "syscall",
-	"syscall.BPF_OR":                                       "syscall",
-	"syscall.BPF_RELEASE":                                  "syscall",
-	"syscall.BPF_RET":                                      "syscall",
-	"syscall.BPF_RSH":                                      "syscall",
-	"syscall.BPF_ST":                                       "syscall",
-	"syscall.BPF_STX":                                      "syscall",
-	"syscall.BPF_SUB":                                      "syscall",
-	"syscall.BPF_TAX":                                      "syscall",
-	"syscall.BPF_TXA":                                      "syscall",
-	"syscall.BPF_T_BINTIME":                                "syscall",
-	"syscall.BPF_T_BINTIME_FAST":                           "syscall",
-	"syscall.BPF_T_BINTIME_MONOTONIC":                      "syscall",
-	"syscall.BPF_T_BINTIME_MONOTONIC_FAST":                 "syscall",
-	"syscall.BPF_T_FAST":                                   "syscall",
-	"syscall.BPF_T_FLAG_MASK":                              "syscall",
-	"syscall.BPF_T_FORMAT_MASK":                            "syscall",
-	"syscall.BPF_T_MICROTIME":                              "syscall",
-	"syscall.BPF_T_MICROTIME_FAST":                         "syscall",
-	"syscall.BPF_T_MICROTIME_MONOTONIC":                    "syscall",
-	"syscall.BPF_T_MICROTIME_MONOTONIC_FAST":               "syscall",
-	"syscall.BPF_T_MONOTONIC":                              "syscall",
-	"syscall.BPF_T_MONOTONIC_FAST":                         "syscall",
-	"syscall.BPF_T_NANOTIME":                               "syscall",
-	"syscall.BPF_T_NANOTIME_FAST":                          "syscall",
-	"syscall.BPF_T_NANOTIME_MONOTONIC":                     "syscall",
-	"syscall.BPF_T_NANOTIME_MONOTONIC_FAST":                "syscall",
-	"syscall.BPF_T_NONE":                                   "syscall",
-	"syscall.BPF_T_NORMAL":                                 "syscall",
-	"syscall.BPF_W":                                        "syscall",
-	"syscall.BPF_X":                                        "syscall",
-	"syscall.BRKINT":                                       "syscall",
-	"syscall.Bind":                                         "syscall",
-	"syscall.BindToDevice":                                 "syscall",
-	"syscall.BpfBuflen":                                    "syscall",
-	"syscall.BpfDatalink":                                  "syscall",
-	"syscall.BpfHdr":                                       "syscall",
-	"syscall.BpfHeadercmpl":                                "syscall",
-	"syscall.BpfInsn":                                      "syscall",
-	"syscall.BpfInterface":                                 "syscall",
-	"syscall.BpfJump":                                      "syscall",
-	"syscall.BpfProgram":                                   "syscall",
-	"syscall.BpfStat":                                      "syscall",
-	"syscall.BpfStats":                                     "syscall",
-	"syscall.BpfStmt":                                      "syscall",
-	"syscall.BpfTimeout":                                   "syscall",
-	"syscall.BpfTimeval":                                   "syscall",
-	"syscall.BpfVersion":                                   "syscall",
-	"syscall.BpfZbuf":                                      "syscall",
-	"syscall.BpfZbufHeader":                                "syscall",
-	"syscall.ByHandleFileInformation":                      "syscall",
-	"syscall.BytePtrFromString":                            "syscall",
-	"syscall.ByteSliceFromString":                          "syscall",
-	"syscall.CCR0_FLUSH":                                   "syscall",
-	"syscall.CERT_CHAIN_POLICY_AUTHENTICODE":               "syscall",
-	"syscall.CERT_CHAIN_POLICY_AUTHENTICODE_TS":            "syscall",
-	"syscall.CERT_CHAIN_POLICY_BASE":                       "syscall",
-	"syscall.CERT_CHAIN_POLICY_BASIC_CONSTRAINTS":          "syscall",
-	"syscall.CERT_CHAIN_POLICY_EV":                         "syscall",
-	"syscall.CERT_CHAIN_POLICY_MICROSOFT_ROOT":             "syscall",
-	"syscall.CERT_CHAIN_POLICY_NT_AUTH":                    "syscall",
-	"syscall.CERT_CHAIN_POLICY_SSL":                        "syscall",
-	"syscall.CERT_E_CN_NO_MATCH":                           "syscall",
-	"syscall.CERT_E_EXPIRED":                               "syscall",
-	"syscall.CERT_E_PURPOSE":                               "syscall",
-	"syscall.CERT_E_ROLE":                                  "syscall",
-	"syscall.CERT_E_UNTRUSTEDROOT":                         "syscall",
-	"syscall.CERT_STORE_ADD_ALWAYS":                        "syscall",
-	"syscall.CERT_STORE_DEFER_CLOSE_UNTIL_LAST_FREE_FLAG":  "syscall",
-	"syscall.CERT_STORE_PROV_MEMORY":                       "syscall",
-	"syscall.CERT_TRUST_HAS_EXCLUDED_NAME_CONSTRAINT":      "syscall",
-	"syscall.CERT_TRUST_HAS_NOT_DEFINED_NAME_CONSTRAINT":   "syscall",
-	"syscall.CERT_TRUST_HAS_NOT_PERMITTED_NAME_CONSTRAINT": "syscall",
-	"syscall.CERT_TRUST_HAS_NOT_SUPPORTED_CRITICAL_EXT":    "syscall",
-	"syscall.CERT_TRUST_HAS_NOT_SUPPORTED_NAME_CONSTRAINT": "syscall",
-	"syscall.CERT_TRUST_INVALID_BASIC_CONSTRAINTS":         "syscall",
-	"syscall.CERT_TRUST_INVALID_EXTENSION":                 "syscall",
-	"syscall.CERT_TRUST_INVALID_NAME_CONSTRAINTS":          "syscall",
-	"syscall.CERT_TRUST_INVALID_POLICY_CONSTRAINTS":        "syscall",
-	"syscall.CERT_TRUST_IS_CYCLIC":                         "syscall",
-	"syscall.CERT_TRUST_IS_EXPLICIT_DISTRUST":              "syscall",
-	"syscall.CERT_TRUST_IS_NOT_SIGNATURE_VALID":            "syscall",
-	"syscall.CERT_TRUST_IS_NOT_TIME_VALID":                 "syscall",
-	"syscall.CERT_TRUST_IS_NOT_VALID_FOR_USAGE":            "syscall",
-	"syscall.CERT_TRUST_IS_OFFLINE_REVOCATION":             "syscall",
-	"syscall.CERT_TRUST_IS_REVOKED":                        "syscall",
-	"syscall.CERT_TRUST_IS_UNTRUSTED_ROOT":                 "syscall",
-	"syscall.CERT_TRUST_NO_ERROR":                          "syscall",
-	"syscall.CERT_TRUST_NO_ISSUANCE_CHAIN_POLICY":          "syscall",
-	"syscall.CERT_TRUST_REVOCATION_STATUS_UNKNOWN":         "syscall",
-	"syscall.CFLUSH":                                       "syscall",
-	"syscall.CLOCAL":                                       "syscall",
-	"syscall.CLONE_CHILD_CLEARTID":                         "syscall",
-	"syscall.CLONE_CHILD_SETTID":                           "syscall",
-	"syscall.CLONE_CSIGNAL":                                "syscall",
-	"syscall.CLONE_DETACHED":                               "syscall",
-	"syscall.CLONE_FILES":                                  "syscall",
-	"syscall.CLONE_FS":                                     "syscall",
-	"syscall.CLONE_IO":                                     "syscall",
-	"syscall.CLONE_NEWIPC":                                 "syscall",
-	"syscall.CLONE_NEWNET":                                 "syscall",
-	"syscall.CLONE_NEWNS":                                  "syscall",
-	"syscall.CLONE_NEWPID":                                 "syscall",
-	"syscall.CLONE_NEWUSER":                                "syscall",
-	"syscall.CLONE_NEWUTS":                                 "syscall",
-	"syscall.CLONE_PARENT":                                 "syscall",
-	"syscall.CLONE_PARENT_SETTID":                          "syscall",
-	"syscall.CLONE_PID":                                    "syscall",
-	"syscall.CLONE_PTRACE":                                 "syscall",
-	"syscall.CLONE_SETTLS":                                 "syscall",
-	"syscall.CLONE_SIGHAND":                                "syscall",
-	"syscall.CLONE_SYSVSEM":                                "syscall",
-	"syscall.CLONE_THREAD":                                 "syscall",
-	"syscall.CLONE_UNTRACED":                               "syscall",
-	"syscall.CLONE_VFORK":                                  "syscall",
-	"syscall.CLONE_VM":                                     "syscall",
-	"syscall.CPUID_CFLUSH":                                 "syscall",
-	"syscall.CREAD":                                        "syscall",
-	"syscall.CREATE_ALWAYS":                                "syscall",
-	"syscall.CREATE_NEW":                                   "syscall",
-	"syscall.CREATE_NEW_PROCESS_GROUP":                     "syscall",
-	"syscall.CREATE_UNICODE_ENVIRONMENT":                   "syscall",
-	"syscall.CRYPT_DEFAULT_CONTAINER_OPTIONAL":             "syscall",
-	"syscall.CRYPT_DELETEKEYSET":                           "syscall",
-	"syscall.CRYPT_MACHINE_KEYSET":                         "syscall",
-	"syscall.CRYPT_NEWKEYSET":                              "syscall",
-	"syscall.CRYPT_SILENT":                                 "syscall",
-	"syscall.CRYPT_VERIFYCONTEXT":                          "syscall",
-	"syscall.CS5":                                          "syscall",
-	"syscall.CS6":                                          "syscall",
-	"syscall.CS7":                                          "syscall",
-	"syscall.CS8":                                          "syscall",
-	"syscall.CSIZE":                                        "syscall",
-	"syscall.CSTART":                                       "syscall",
-	"syscall.CSTATUS":                                      "syscall",
-	"syscall.CSTOP":                                        "syscall",
-	"syscall.CSTOPB":                                       "syscall",
-	"syscall.CSUSP":                                        "syscall",
-	"syscall.CTL_MAXNAME":                                  "syscall",
-	"syscall.CTL_NET":                                      "syscall",
-	"syscall.CTL_QUERY":                                    "syscall",
-	"syscall.CTRL_BREAK_EVENT":                             "syscall",
-	"syscall.CTRL_C_EVENT":                                 "syscall",
-	"syscall.CancelIo":                                     "syscall",
-	"syscall.CancelIoEx":                                   "syscall",
-	"syscall.CertAddCertificateContextToStore":             "syscall",
-	"syscall.CertChainContext":                             "syscall",
-	"syscall.CertChainElement":                             "syscall",
-	"syscall.CertChainPara":                                "syscall",
-	"syscall.CertChainPolicyPara":                          "syscall",
-	"syscall.CertChainPolicyStatus":                        "syscall",
-	"syscall.CertCloseStore":                               "syscall",
-	"syscall.CertContext":                                  "syscall",
-	"syscall.CertCreateCertificateContext":                 "syscall",
-	"syscall.CertEnhKeyUsage":                              "syscall",
-	"syscall.CertEnumCertificatesInStore":                  "syscall",
-	"syscall.CertFreeCertificateChain":                     "syscall",
-	"syscall.CertFreeCertificateContext":                   "syscall",
-	"syscall.CertGetCertificateChain":                      "syscall",
-	"syscall.CertOpenStore":                                "syscall",
-	"syscall.CertOpenSystemStore":                          "syscall",
-	"syscall.CertRevocationInfo":                           "syscall",
-	"syscall.CertSimpleChain":                              "syscall",
-	"syscall.CertTrustStatus":                              "syscall",
-	"syscall.CertUsageMatch":                               "syscall",
-	"syscall.CertVerifyCertificateChainPolicy":             "syscall",
-	"syscall.Chdir":                                        "syscall",
-	"syscall.CheckBpfVersion":                              "syscall",
-	"syscall.Chflags":                                      "syscall",
-	"syscall.Chmod":                                        "syscall",
-	"syscall.Chown":                                        "syscall",
-	"syscall.Chroot":                                       "syscall",
-	"syscall.Clearenv":                                     "syscall",
-	"syscall.Close":                                        "syscall",
-	"syscall.CloseHandle":                                  "syscall",
-	"syscall.CloseOnExec":                                  "syscall",
-	"syscall.Closesocket":                                  "syscall",
-	"syscall.CmsgLen":                                      "syscall",
-	"syscall.CmsgSpace":                                    "syscall",
-	"syscall.Cmsghdr":                                      "syscall",
-	"syscall.CommandLineToArgv":                            "syscall",
-	"syscall.ComputerName":                                 "syscall",
-	"syscall.Connect":                                      "syscall",
-	"syscall.ConnectEx":                                    "syscall",
-	"syscall.ConvertSidToStringSid":                        "syscall",
-	"syscall.ConvertStringSidToSid":                        "syscall",
-	"syscall.CopySid":                                      "syscall",
-	"syscall.Creat":                                        "syscall",
-	"syscall.CreateDirectory":                              "syscall",
-	"syscall.CreateFile":                                   "syscall",
-	"syscall.CreateFileMapping":                            "syscall",
-	"syscall.CreateHardLink":                               "syscall",
-	"syscall.CreateIoCompletionPort":                       "syscall",
-	"syscall.CreatePipe":                                   "syscall",
-	"syscall.CreateProcess":                                "syscall",
-	"syscall.CreateSymbolicLink":                           "syscall",
-	"syscall.CreateToolhelp32Snapshot":                     "syscall",
-	"syscall.Credential":                                   "syscall",
-	"syscall.CryptAcquireContext":                          "syscall",
-	"syscall.CryptGenRandom":                               "syscall",
-	"syscall.CryptReleaseContext":                          "syscall",
-	"syscall.DIOCBSFLUSH":                                  "syscall",
-	"syscall.DIOCOSFPFLUSH":                                "syscall",
-	"syscall.DLL":                                          "syscall",
-	"syscall.DLLError":                                     "syscall",
-	"syscall.DLT_A429":                                     "syscall",
-	"syscall.DLT_A653_ICM":                                 "syscall",
-	"syscall.DLT_AIRONET_HEADER":                           "syscall",
-	"syscall.DLT_AOS":                                      "syscall",
-	"syscall.DLT_APPLE_IP_OVER_IEEE1394":                   "syscall",
-	"syscall.DLT_ARCNET":                                   "syscall",
-	"syscall.DLT_ARCNET_LINUX":                             "syscall",
-	"syscall.DLT_ATM_CLIP":                                 "syscall",
-	"syscall.DLT_ATM_RFC1483":                              "syscall",
-	"syscall.DLT_AURORA":                                   "syscall",
-	"syscall.DLT_AX25":                                     "syscall",
-	"syscall.DLT_AX25_KISS":                                "syscall",
-	"syscall.DLT_BACNET_MS_TP":                             "syscall",
-	"syscall.DLT_BLUETOOTH_HCI_H4":                         "syscall",
-	"syscall.DLT_BLUETOOTH_HCI_H4_WITH_PHDR":               "syscall",
-	"syscall.DLT_CAN20B":                                   "syscall",
-	"syscall.DLT_CAN_SOCKETCAN":                            "syscall",
-	"syscall.DLT_CHAOS":                                    "syscall",
-	"syscall.DLT_CHDLC":                                    "syscall",
-	"syscall.DLT_CISCO_IOS":                                "syscall",
-	"syscall.DLT_C_HDLC":                                   "syscall",
-	"syscall.DLT_C_HDLC_WITH_DIR":                          "syscall",
-	"syscall.DLT_DBUS":                                     "syscall",
-	"syscall.DLT_DECT":                                     "syscall",
-	"syscall.DLT_DOCSIS":                                   "syscall",
-	"syscall.DLT_DVB_CI":                                   "syscall",
-	"syscall.DLT_ECONET":                                   "syscall",
-	"syscall.DLT_EN10MB":                                   "syscall",
-	"syscall.DLT_EN3MB":                                    "syscall",
-	"syscall.DLT_ENC":                                      "syscall",
-	"syscall.DLT_ERF":                                      "syscall",
-	"syscall.DLT_ERF_ETH":                                  "syscall",
-	"syscall.DLT_ERF_POS":                                  "syscall",
-	"syscall.DLT_FC_2":                                     "syscall",
-	"syscall.DLT_FC_2_WITH_FRAME_DELIMS":                   "syscall",
-	"syscall.DLT_FDDI":                                     "syscall",
-	"syscall.DLT_FLEXRAY":                                  "syscall",
-	"syscall.DLT_FRELAY":                                   "syscall",
-	"syscall.DLT_FRELAY_WITH_DIR":                          "syscall",
-	"syscall.DLT_GCOM_SERIAL":                              "syscall",
-	"syscall.DLT_GCOM_T1E1":                                "syscall",
-	"syscall.DLT_GPF_F":                                    "syscall",
-	"syscall.DLT_GPF_T":                                    "syscall",
-	"syscall.DLT_GPRS_LLC":                                 "syscall",
-	"syscall.DLT_GSMTAP_ABIS":                              "syscall",
-	"syscall.DLT_GSMTAP_UM":                                "syscall",
-	"syscall.DLT_HDLC":                                     "syscall",
-	"syscall.DLT_HHDLC":                                    "syscall",
-	"syscall.DLT_HIPPI":                                    "syscall",
-	"syscall.DLT_IBM_SN":                                   "syscall",
-	"syscall.DLT_IBM_SP":                                   "syscall",
-	"syscall.DLT_IEEE802":                                  "syscall",
-	"syscall.DLT_IEEE802_11":                               "syscall",
-	"syscall.DLT_IEEE802_11_RADIO":                         "syscall",
-	"syscall.DLT_IEEE802_11_RADIO_AVS":                     "syscall",
-	"syscall.DLT_IEEE802_15_4":                             "syscall",
-	"syscall.DLT_IEEE802_15_4_LINUX":                       "syscall",
-	"syscall.DLT_IEEE802_15_4_NOFCS":                       "syscall",
-	"syscall.DLT_IEEE802_15_4_NONASK_PHY":                  "syscall",
-	"syscall.DLT_IEEE802_16_MAC_CPS":                       "syscall",
-	"syscall.DLT_IEEE802_16_MAC_CPS_RADIO":                 "syscall",
-	"syscall.DLT_IPFILTER":                                 "syscall",
-	"syscall.DLT_IPMB":                                     "syscall",
-	"syscall.DLT_IPMB_LINUX":                               "syscall",
-	"syscall.DLT_IPNET":                                    "syscall",
-	"syscall.DLT_IPOIB":                                    "syscall",
-	"syscall.DLT_IPV4":                                     "syscall",
-	"syscall.DLT_IPV6":                                     "syscall",
-	"syscall.DLT_IP_OVER_FC":                               "syscall",
-	"syscall.DLT_JUNIPER_ATM1":                             "syscall",
-	"syscall.DLT_JUNIPER_ATM2":                             "syscall",
-	"syscall.DLT_JUNIPER_ATM_CEMIC":                        "syscall",
-	"syscall.DLT_JUNIPER_CHDLC":                            "syscall",
-	"syscall.DLT_JUNIPER_ES":                               "syscall",
-	"syscall.DLT_JUNIPER_ETHER":                            "syscall",
-	"syscall.DLT_JUNIPER_FIBRECHANNEL":                     "syscall",
-	"syscall.DLT_JUNIPER_FRELAY":                           "syscall",
-	"syscall.DLT_JUNIPER_GGSN":                             "syscall",
-	"syscall.DLT_JUNIPER_ISM":                              "syscall",
-	"syscall.DLT_JUNIPER_MFR":                              "syscall",
-	"syscall.DLT_JUNIPER_MLFR":                             "syscall",
-	"syscall.DLT_JUNIPER_MLPPP":                            "syscall",
-	"syscall.DLT_JUNIPER_MONITOR":                          "syscall",
-	"syscall.DLT_JUNIPER_PIC_PEER":                         "syscall",
-	"syscall.DLT_JUNIPER_PPP":                              "syscall",
-	"syscall.DLT_JUNIPER_PPPOE":                            "syscall",
-	"syscall.DLT_JUNIPER_PPPOE_ATM":                        "syscall",
-	"syscall.DLT_JUNIPER_SERVICES":                         "syscall",
-	"syscall.DLT_JUNIPER_SRX_E2E":                          "syscall",
-	"syscall.DLT_JUNIPER_ST":                               "syscall",
-	"syscall.DLT_JUNIPER_VP":                               "syscall",
-	"syscall.DLT_JUNIPER_VS":                               "syscall",
-	"syscall.DLT_LAPB_WITH_DIR":                            "syscall",
-	"syscall.DLT_LAPD":                                     "syscall",
-	"syscall.DLT_LIN":                                      "syscall",
-	"syscall.DLT_LINUX_EVDEV":                              "syscall",
-	"syscall.DLT_LINUX_IRDA":                               "syscall",
-	"syscall.DLT_LINUX_LAPD":                               "syscall",
-	"syscall.DLT_LINUX_PPP_WITHDIRECTION":                  "syscall",
-	"syscall.DLT_LINUX_SLL":                                "syscall",
-	"syscall.DLT_LOOP":                                     "syscall",
-	"syscall.DLT_LTALK":                                    "syscall",
-	"syscall.DLT_MATCHING_MAX":                             "syscall",
-	"syscall.DLT_MATCHING_MIN":                             "syscall",
-	"syscall.DLT_MFR":                                      "syscall",
-	"syscall.DLT_MOST":                                     "syscall",
-	"syscall.DLT_MPEG_2_TS":                                "syscall",
-	"syscall.DLT_MPLS":                                     "syscall",
-	"syscall.DLT_MTP2":                                     "syscall",
-	"syscall.DLT_MTP2_WITH_PHDR":                           "syscall",
-	"syscall.DLT_MTP3":                                     "syscall",
-	"syscall.DLT_MUX27010":                                 "syscall",
-	"syscall.DLT_NETANALYZER":                              "syscall",
-	"syscall.DLT_NETANALYZER_TRANSPARENT":                  "syscall",
-	"syscall.DLT_NFC_LLCP":                                 "syscall",
-	"syscall.DLT_NFLOG":                                    "syscall",
-	"syscall.DLT_NG40":                                     "syscall",
-	"syscall.DLT_NULL":                                     "syscall",
-	"syscall.DLT_PCI_EXP":                                  "syscall",
-	"syscall.DLT_PFLOG":                                    "syscall",
-	"syscall.DLT_PFSYNC":                                   "syscall",
-	"syscall.DLT_PPI":                                      "syscall",
-	"syscall.DLT_PPP":                                      "syscall",
-	"syscall.DLT_PPP_BSDOS":                                "syscall",
-	"syscall.DLT_PPP_ETHER":                                "syscall",
-	"syscall.DLT_PPP_PPPD":                                 "syscall",
-	"syscall.DLT_PPP_SERIAL":                               "syscall",
-	"syscall.DLT_PPP_WITH_DIR":                             "syscall",
-	"syscall.DLT_PPP_WITH_DIRECTION":                       "syscall",
-	"syscall.DLT_PRISM_HEADER":                             "syscall",
-	"syscall.DLT_PRONET":                                   "syscall",
-	"syscall.DLT_RAIF1":                                    "syscall",
-	"syscall.DLT_RAW":                                      "syscall",
-	"syscall.DLT_RAWAF_MASK":                               "syscall",
-	"syscall.DLT_RIO":                                      "syscall",
-	"syscall.DLT_SCCP":                                     "syscall",
-	"syscall.DLT_SITA":                                     "syscall",
-	"syscall.DLT_SLIP":                                     "syscall",
-	"syscall.DLT_SLIP_BSDOS":                               "syscall",
-	"syscall.DLT_STANAG_5066_D_PDU":                        "syscall",
-	"syscall.DLT_SUNATM":                                   "syscall",
-	"syscall.DLT_SYMANTEC_FIREWALL":                        "syscall",
-	"syscall.DLT_TZSP":                                     "syscall",
-	"syscall.DLT_USB":                                      "syscall",
-	"syscall.DLT_USB_LINUX":                                "syscall",
-	"syscall.DLT_USB_LINUX_MMAPPED":                        "syscall",
-	"syscall.DLT_USER0":                                    "syscall",
-	"syscall.DLT_USER1":                                    "syscall",
-	"syscall.DLT_USER10":                                   "syscall",
-	"syscall.DLT_USER11":                                   "syscall",
-	"syscall.DLT_USER12":                                   "syscall",
-	"syscall.DLT_USER13":                                   "syscall",
-	"syscall.DLT_USER14":                                   "syscall",
-	"syscall.DLT_USER15":                                   "syscall",
-	"syscall.DLT_USER2":                                    "syscall",
-	"syscall.DLT_USER3":                                    "syscall",
-	"syscall.DLT_USER4":                                    "syscall",
-	"syscall.DLT_USER5":                                    "syscall",
-	"syscall.DLT_USER6":                                    "syscall",
-	"syscall.DLT_USER7":                                    "syscall",
-	"syscall.DLT_USER8":                                    "syscall",
-	"syscall.DLT_USER9":                                    "syscall",
-	"syscall.DLT_WIHART":                                   "syscall",
-	"syscall.DLT_X2E_SERIAL":                               "syscall",
-	"syscall.DLT_X2E_XORAYA":                               "syscall",
-	"syscall.DNSMXData":                                    "syscall",
-	"syscall.DNSPTRData":                                   "syscall",
-	"syscall.DNSRecord":                                    "syscall",
-	"syscall.DNSSRVData":                                   "syscall",
-	"syscall.DNSTXTData":                                   "syscall",
-	"syscall.DNS_INFO_NO_RECORDS":                          "syscall",
-	"syscall.DNS_TYPE_A":                                   "syscall",
-	"syscall.DNS_TYPE_A6":                                  "syscall",
-	"syscall.DNS_TYPE_AAAA":                                "syscall",
-	"syscall.DNS_TYPE_ADDRS":                               "syscall",
-	"syscall.DNS_TYPE_AFSDB":                               "syscall",
-	"syscall.DNS_TYPE_ALL":                                 "syscall",
-	"syscall.DNS_TYPE_ANY":                                 "syscall",
-	"syscall.DNS_TYPE_ATMA":                                "syscall",
-	"syscall.DNS_TYPE_AXFR":                                "syscall",
-	"syscall.DNS_TYPE_CERT":                                "syscall",
-	"syscall.DNS_TYPE_CNAME":                               "syscall",
-	"syscall.DNS_TYPE_DHCID":                               "syscall",
-	"syscall.DNS_TYPE_DNAME":                               "syscall",
-	"syscall.DNS_TYPE_DNSKEY":                              "syscall",
-	"syscall.DNS_TYPE_DS":                                  "syscall",
-	"syscall.DNS_TYPE_EID":                                 "syscall",
-	"syscall.DNS_TYPE_GID":                                 "syscall",
-	"syscall.DNS_TYPE_GPOS":                                "syscall",
-	"syscall.DNS_TYPE_HINFO":                               "syscall",
-	"syscall.DNS_TYPE_ISDN":                                "syscall",
-	"syscall.DNS_TYPE_IXFR":                                "syscall",
-	"syscall.DNS_TYPE_KEY":                                 "syscall",
-	"syscall.DNS_TYPE_KX":                                  "syscall",
-	"syscall.DNS_TYPE_LOC":                                 "syscall",
-	"syscall.DNS_TYPE_MAILA":                               "syscall",
-	"syscall.DNS_TYPE_MAILB":                               "syscall",
-	"syscall.DNS_TYPE_MB":                                  "syscall",
-	"syscall.DNS_TYPE_MD":                                  "syscall",
-	"syscall.DNS_TYPE_MF":                                  "syscall",
-	"syscall.DNS_TYPE_MG":                                  "syscall",
-	"syscall.DNS_TYPE_MINFO":                               "syscall",
-	"syscall.DNS_TYPE_MR":                                  "syscall",
-	"syscall.DNS_TYPE_MX":                                  "syscall",
-	"syscall.DNS_TYPE_NAPTR":                               "syscall",
-	"syscall.DNS_TYPE_NBSTAT":                              "syscall",
-	"syscall.DNS_TYPE_NIMLOC":                              "syscall",
-	"syscall.DNS_TYPE_NS":                                  "syscall",
-	"syscall.DNS_TYPE_NSAP":                                "syscall",
-	"syscall.DNS_TYPE_NSAPPTR":                             "syscall",
-	"syscall.DNS_TYPE_NSEC":                                "syscall",
-	"syscall.DNS_TYPE_NULL":                                "syscall",
-	"syscall.DNS_TYPE_NXT":                                 "syscall",
-	"syscall.DNS_TYPE_OPT":                                 "syscall",
-	"syscall.DNS_TYPE_PTR":                                 "syscall",
-	"syscall.DNS_TYPE_PX":                                  "syscall",
-	"syscall.DNS_TYPE_RP":                                  "syscall",
-	"syscall.DNS_TYPE_RRSIG":                               "syscall",
-	"syscall.DNS_TYPE_RT":                                  "syscall",
-	"syscall.DNS_TYPE_SIG":                                 "syscall",
-	"syscall.DNS_TYPE_SINK":                                "syscall",
-	"syscall.DNS_TYPE_SOA":                                 "syscall",
-	"syscall.DNS_TYPE_SRV":                                 "syscall",
-	"syscall.DNS_TYPE_TEXT":                                "syscall",
-	"syscall.DNS_TYPE_TKEY":                                "syscall",
-	"syscall.DNS_TYPE_TSIG":                                "syscall",
-	"syscall.DNS_TYPE_UID":                                 "syscall",
-	"syscall.DNS_TYPE_UINFO":                               "syscall",
-	"syscall.DNS_TYPE_UNSPEC":                              "syscall",
-	"syscall.DNS_TYPE_WINS":                                "syscall",
-	"syscall.DNS_TYPE_WINSR":                               "syscall",
-	"syscall.DNS_TYPE_WKS":                                 "syscall",
-	"syscall.DNS_TYPE_X25":                                 "syscall",
-	"syscall.DT_BLK":                                       "syscall",
-	"syscall.DT_CHR":                                       "syscall",
-	"syscall.DT_DIR":                                       "syscall",
-	"syscall.DT_FIFO":                                      "syscall",
-	"syscall.DT_LNK":                                       "syscall",
-	"syscall.DT_REG":                                       "syscall",
-	"syscall.DT_SOCK":                                      "syscall",
-	"syscall.DT_UNKNOWN":                                   "syscall",
-	"syscall.DT_WHT":                                       "syscall",
-	"syscall.DUPLICATE_CLOSE_SOURCE":                       "syscall",
-	"syscall.DUPLICATE_SAME_ACCESS":                        "syscall",
-	"syscall.DeleteFile":                                   "syscall",
-	"syscall.DetachLsf":                                    "syscall",
-	"syscall.DeviceIoControl":                              "syscall",
-	"syscall.Dirent":                                       "syscall",
-	"syscall.DnsNameCompare":                               "syscall",
-	"syscall.DnsQuery":                                     "syscall",
-	"syscall.DnsRecordListFree":                            "syscall",
-	"syscall.DnsSectionAdditional":                         "syscall",
-	"syscall.DnsSectionAnswer":                             "syscall",
-	"syscall.DnsSectionAuthority":                          "syscall",
-	"syscall.DnsSectionQuestion":                           "syscall",
-	"syscall.Dup":                                          "syscall",
-	"syscall.Dup2":                                         "syscall",
-	"syscall.Dup3":                                         "syscall",
-	"syscall.DuplicateHandle":                              "syscall",
-	"syscall.E2BIG":                                        "syscall",
-	"syscall.EACCES":                                       "syscall",
-	"syscall.EADDRINUSE":                                   "syscall",
-	"syscall.EADDRNOTAVAIL":                                "syscall",
-	"syscall.EADV":                                         "syscall",
-	"syscall.EAFNOSUPPORT":                                 "syscall",
-	"syscall.EAGAIN":                                       "syscall",
-	"syscall.EALREADY":                                     "syscall",
-	"syscall.EAUTH":                                        "syscall",
-	"syscall.EBADARCH":                                     "syscall",
-	"syscall.EBADE":                                        "syscall",
-	"syscall.EBADEXEC":                                     "syscall",
-	"syscall.EBADF":                                        "syscall",
-	"syscall.EBADFD":                                       "syscall",
-	"syscall.EBADMACHO":                                    "syscall",
-	"syscall.EBADMSG":                                      "syscall",
-	"syscall.EBADR":                                        "syscall",
-	"syscall.EBADRPC":                                      "syscall",
-	"syscall.EBADRQC":                                      "syscall",
-	"syscall.EBADSLT":                                      "syscall",
-	"syscall.EBFONT":                                       "syscall",
-	"syscall.EBUSY":                                        "syscall",
-	"syscall.ECANCELED":                                    "syscall",
-	"syscall.ECAPMODE":                                     "syscall",
-	"syscall.ECHILD":                                       "syscall",
-	"syscall.ECHO":                                         "syscall",
-	"syscall.ECHOCTL":                                      "syscall",
-	"syscall.ECHOE":                                        "syscall",
-	"syscall.ECHOK":                                        "syscall",
-	"syscall.ECHOKE":                                       "syscall",
-	"syscall.ECHONL":                                       "syscall",
-	"syscall.ECHOPRT":                                      "syscall",
-	"syscall.ECHRNG":                                       "syscall",
-	"syscall.ECOMM":                                        "syscall",
-	"syscall.ECONNABORTED":                                 "syscall",
-	"syscall.ECONNREFUSED":                                 "syscall",
-	"syscall.ECONNRESET":                                   "syscall",
-	"syscall.EDEADLK":                                      "syscall",
-	"syscall.EDEADLOCK":                                    "syscall",
-	"syscall.EDESTADDRREQ":                                 "syscall",
-	"syscall.EDEVERR":                                      "syscall",
-	"syscall.EDOM":                                         "syscall",
-	"syscall.EDOOFUS":                                      "syscall",
-	"syscall.EDOTDOT":                                      "syscall",
-	"syscall.EDQUOT":                                       "syscall",
-	"syscall.EEXIST":                                       "syscall",
-	"syscall.EFAULT":                                       "syscall",
-	"syscall.EFBIG":                                        "syscall",
-	"syscall.EFER_LMA":                                     "syscall",
-	"syscall.EFER_LME":                                     "syscall",
-	"syscall.EFER_NXE":                                     "syscall",
-	"syscall.EFER_SCE":                                     "syscall",
-	"syscall.EFTYPE":                                       "syscall",
-	"syscall.EHOSTDOWN":                                    "syscall",
-	"syscall.EHOSTUNREACH":                                 "syscall",
-	"syscall.EHWPOISON":                                    "syscall",
-	"syscall.EIDRM":                                        "syscall",
-	"syscall.EILSEQ":                                       "syscall",
-	"syscall.EINPROGRESS":                                  "syscall",
-	"syscall.EINTR":                                        "syscall",
-	"syscall.EINVAL":                                       "syscall",
-	"syscall.EIO":                                          "syscall",
-	"syscall.EIPSEC":                                       "syscall",
-	"syscall.EISCONN":                                      "syscall",
-	"syscall.EISDIR":                                       "syscall",
-	"syscall.EISNAM":                                       "syscall",
-	"syscall.EKEYEXPIRED":                                  "syscall",
-	"syscall.EKEYREJECTED":                                 "syscall",
-	"syscall.EKEYREVOKED":                                  "syscall",
-	"syscall.EL2HLT":                                       "syscall",
-	"syscall.EL2NSYNC":                                     "syscall",
-	"syscall.EL3HLT":                                       "syscall",
-	"syscall.EL3RST":                                       "syscall",
-	"syscall.ELAST":                                        "syscall",
-	"syscall.ELF_NGREG":                                    "syscall",
-	"syscall.ELF_PRARGSZ":                                  "syscall",
-	"syscall.ELIBACC":                                      "syscall",
-	"syscall.ELIBBAD":                                      "syscall",
-	"syscall.ELIBEXEC":                                     "syscall",
-	"syscall.ELIBMAX":                                      "syscall",
-	"syscall.ELIBSCN":                                      "syscall",
-	"syscall.ELNRNG":                                       "syscall",
-	"syscall.ELOOP":                                        "syscall",
-	"syscall.EMEDIUMTYPE":                                  "syscall",
-	"syscall.EMFILE":                                       "syscall",
-	"syscall.EMLINK":                                       "syscall",
-	"syscall.EMSGSIZE":                                     "syscall",
-	"syscall.EMT_TAGOVF":                                   "syscall",
-	"syscall.EMULTIHOP":                                    "syscall",
-	"syscall.EMUL_ENABLED":                                 "syscall",
-	"syscall.EMUL_LINUX":                                   "syscall",
-	"syscall.EMUL_LINUX32":                                 "syscall",
-	"syscall.EMUL_MAXID":                                   "syscall",
-	"syscall.EMUL_NATIVE":                                  "syscall",
-	"syscall.ENAMETOOLONG":                                 "syscall",
-	"syscall.ENAVAIL":                                      "syscall",
-	"syscall.ENDRUNDISC":                                   "syscall",
-	"syscall.ENEEDAUTH":                                    "syscall",
-	"syscall.ENETDOWN":                                     "syscall",
-	"syscall.ENETRESET":                                    "syscall",
-	"syscall.ENETUNREACH":                                  "syscall",
-	"syscall.ENFILE":                                       "syscall",
-	"syscall.ENOANO":                                       "syscall",
-	"syscall.ENOATTR":                                      "syscall",
-	"syscall.ENOBUFS":                                      "syscall",
-	"syscall.ENOCSI":                                       "syscall",
-	"syscall.ENODATA":                                      "syscall",
-	"syscall.ENODEV":                                       "syscall",
-	"syscall.ENOENT":                                       "syscall",
-	"syscall.ENOEXEC":                                      "syscall",
-	"syscall.ENOKEY":                                       "syscall",
-	"syscall.ENOLCK":                                       "syscall",
-	"syscall.ENOLINK":                                      "syscall",
-	"syscall.ENOMEDIUM":                                    "syscall",
-	"syscall.ENOMEM":                                       "syscall",
-	"syscall.ENOMSG":                                       "syscall",
-	"syscall.ENONET":                                       "syscall",
-	"syscall.ENOPKG":                                       "syscall",
-	"syscall.ENOPOLICY":                                    "syscall",
-	"syscall.ENOPROTOOPT":                                  "syscall",
-	"syscall.ENOSPC":                                       "syscall",
-	"syscall.ENOSR":                                        "syscall",
-	"syscall.ENOSTR":                                       "syscall",
-	"syscall.ENOSYS":                                       "syscall",
-	"syscall.ENOTBLK":                                      "syscall",
-	"syscall.ENOTCAPABLE":                                  "syscall",
-	"syscall.ENOTCONN":                                     "syscall",
-	"syscall.ENOTDIR":                                      "syscall",
-	"syscall.ENOTEMPTY":                                    "syscall",
-	"syscall.ENOTNAM":                                      "syscall",
-	"syscall.ENOTRECOVERABLE":                              "syscall",
-	"syscall.ENOTSOCK":                                     "syscall",
-	"syscall.ENOTSUP":                                      "syscall",
-	"syscall.ENOTTY":                                       "syscall",
-	"syscall.ENOTUNIQ":                                     "syscall",
-	"syscall.ENXIO":                                        "syscall",
-	"syscall.EN_SW_CTL_INF":                                "syscall",
-	"syscall.EN_SW_CTL_PREC":                               "syscall",
-	"syscall.EN_SW_CTL_ROUND":                              "syscall",
-	"syscall.EN_SW_DATACHAIN":                              "syscall",
-	"syscall.EN_SW_DENORM":                                 "syscall",
-	"syscall.EN_SW_INVOP":                                  "syscall",
-	"syscall.EN_SW_OVERFLOW":                               "syscall",
-	"syscall.EN_SW_PRECLOSS":                               "syscall",
-	"syscall.EN_SW_UNDERFLOW":                              "syscall",
-	"syscall.EN_SW_ZERODIV":                                "syscall",
-	"syscall.EOPNOTSUPP":                                   "syscall",
-	"syscall.EOVERFLOW":                                    "syscall",
-	"syscall.EOWNERDEAD":                                   "syscall",
-	"syscall.EPERM":                                        "syscall",
-	"syscall.EPFNOSUPPORT":                                 "syscall",
-	"syscall.EPIPE":                                        "syscall",
-	"syscall.EPOLLERR":                                     "syscall",
-	"syscall.EPOLLET":                                      "syscall",
-	"syscall.EPOLLHUP":                                     "syscall",
-	"syscall.EPOLLIN":                                      "syscall",
-	"syscall.EPOLLMSG":                                     "syscall",
-	"syscall.EPOLLONESHOT":                                 "syscall",
-	"syscall.EPOLLOUT":                                     "syscall",
-	"syscall.EPOLLPRI":                                     "syscall",
-	"syscall.EPOLLRDBAND":                                  "syscall",
-	"syscall.EPOLLRDHUP":                                   "syscall",
-	"syscall.EPOLLRDNORM":                                  "syscall",
-	"syscall.EPOLLWRBAND":                                  "syscall",
-	"syscall.EPOLLWRNORM":                                  "syscall",
-	"syscall.EPOLL_CLOEXEC":                                "syscall",
-	"syscall.EPOLL_CTL_ADD":                                "syscall",
-	"syscall.EPOLL_CTL_DEL":                                "syscall",
-	"syscall.EPOLL_CTL_MOD":                                "syscall",
-	"syscall.EPOLL_NONBLOCK":                               "syscall",
-	"syscall.EPROCLIM":                                     "syscall",
-	"syscall.EPROCUNAVAIL":                                 "syscall",
-	"syscall.EPROGMISMATCH":                                "syscall",
-	"syscall.EPROGUNAVAIL":                                 "syscall",
-	"syscall.EPROTO":                                       "syscall",
-	"syscall.EPROTONOSUPPORT":                              "syscall",
-	"syscall.EPROTOTYPE":                                   "syscall",
-	"syscall.EPWROFF":                                      "syscall",
-	"syscall.ERANGE":                                       "syscall",
-	"syscall.EREMCHG":                                      "syscall",
-	"syscall.EREMOTE":                                      "syscall",
-	"syscall.EREMOTEIO":                                    "syscall",
-	"syscall.ERESTART":                                     "syscall",
-	"syscall.ERFKILL":                                      "syscall",
-	"syscall.EROFS":                                        "syscall",
-	"syscall.ERPCMISMATCH":                                 "syscall",
-	"syscall.ERROR_ACCESS_DENIED":                          "syscall",
-	"syscall.ERROR_ALREADY_EXISTS":                         "syscall",
-	"syscall.ERROR_BROKEN_PIPE":                            "syscall",
-	"syscall.ERROR_BUFFER_OVERFLOW":                        "syscall",
-	"syscall.ERROR_ENVVAR_NOT_FOUND":                       "syscall",
-	"syscall.ERROR_FILE_EXISTS":                            "syscall",
-	"syscall.ERROR_FILE_NOT_FOUND":                         "syscall",
-	"syscall.ERROR_HANDLE_EOF":                             "syscall",
-	"syscall.ERROR_INSUFFICIENT_BUFFER":                    "syscall",
-	"syscall.ERROR_IO_PENDING":                             "syscall",
-	"syscall.ERROR_MOD_NOT_FOUND":                          "syscall",
-	"syscall.ERROR_MORE_DATA":                              "syscall",
-	"syscall.ERROR_NETNAME_DELETED":                        "syscall",
-	"syscall.ERROR_NOT_FOUND":                              "syscall",
-	"syscall.ERROR_NO_MORE_FILES":                          "syscall",
-	"syscall.ERROR_OPERATION_ABORTED":                      "syscall",
-	"syscall.ERROR_PATH_NOT_FOUND":                         "syscall",
-	"syscall.ERROR_PRIVILEGE_NOT_HELD":                     "syscall",
-	"syscall.ERROR_PROC_NOT_FOUND":                         "syscall",
-	"syscall.ESHLIBVERS":                                   "syscall",
-	"syscall.ESHUTDOWN":                                    "syscall",
-	"syscall.ESOCKTNOSUPPORT":                              "syscall",
-	"syscall.ESPIPE":                                       "syscall",
-	"syscall.ESRCH":                                        "syscall",
-	"syscall.ESRMNT":                                       "syscall",
-	"syscall.ESTALE":                                       "syscall",
-	"syscall.ESTRPIPE":                                     "syscall",
-	"syscall.ETHERCAP_JUMBO_MTU":                           "syscall",
-	"syscall.ETHERCAP_VLAN_HWTAGGING":                      "syscall",
-	"syscall.ETHERCAP_VLAN_MTU":                            "syscall",
-	"syscall.ETHERMIN":                                     "syscall",
-	"syscall.ETHERMTU":                                     "syscall",
-	"syscall.ETHERMTU_JUMBO":                               "syscall",
-	"syscall.ETHERTYPE_8023":                               "syscall",
-	"syscall.ETHERTYPE_AARP":                               "syscall",
-	"syscall.ETHERTYPE_ACCTON":                             "syscall",
-	"syscall.ETHERTYPE_AEONIC":                             "syscall",
-	"syscall.ETHERTYPE_ALPHA":                              "syscall",
-	"syscall.ETHERTYPE_AMBER":                              "syscall",
-	"syscall.ETHERTYPE_AMOEBA":                             "syscall",
-	"syscall.ETHERTYPE_AOE":                                "syscall",
-	"syscall.ETHERTYPE_APOLLO":                             "syscall",
-	"syscall.ETHERTYPE_APOLLODOMAIN":                       "syscall",
-	"syscall.ETHERTYPE_APPLETALK":                          "syscall",
-	"syscall.ETHERTYPE_APPLITEK":                           "syscall",
-	"syscall.ETHERTYPE_ARGONAUT":                           "syscall",
-	"syscall.ETHERTYPE_ARP":                                "syscall",
-	"syscall.ETHERTYPE_AT":                                 "syscall",
-	"syscall.ETHERTYPE_ATALK":                              "syscall",
-	"syscall.ETHERTYPE_ATOMIC":                             "syscall",
-	"syscall.ETHERTYPE_ATT":                                "syscall",
-	"syscall.ETHERTYPE_ATTSTANFORD":                        "syscall",
-	"syscall.ETHERTYPE_AUTOPHON":                           "syscall",
-	"syscall.ETHERTYPE_AXIS":                               "syscall",
-	"syscall.ETHERTYPE_BCLOOP":                             "syscall",
-	"syscall.ETHERTYPE_BOFL":                               "syscall",
-	"syscall.ETHERTYPE_CABLETRON":                          "syscall",
-	"syscall.ETHERTYPE_CHAOS":                              "syscall",
-	"syscall.ETHERTYPE_COMDESIGN":                          "syscall",
-	"syscall.ETHERTYPE_COMPUGRAPHIC":                       "syscall",
-	"syscall.ETHERTYPE_COUNTERPOINT":                       "syscall",
-	"syscall.ETHERTYPE_CRONUS":                             "syscall",
-	"syscall.ETHERTYPE_CRONUSVLN":                          "syscall",
-	"syscall.ETHERTYPE_DCA":                                "syscall",
-	"syscall.ETHERTYPE_DDE":                                "syscall",
-	"syscall.ETHERTYPE_DEBNI":                              "syscall",
-	"syscall.ETHERTYPE_DECAM":                              "syscall",
-	"syscall.ETHERTYPE_DECCUST":                            "syscall",
-	"syscall.ETHERTYPE_DECDIAG":                            "syscall",
-	"syscall.ETHERTYPE_DECDNS":                             "syscall",
-	"syscall.ETHERTYPE_DECDTS":                             "syscall",
-	"syscall.ETHERTYPE_DECEXPER":                           "syscall",
-	"syscall.ETHERTYPE_DECLAST":                            "syscall",
-	"syscall.ETHERTYPE_DECLTM":                             "syscall",
-	"syscall.ETHERTYPE_DECMUMPS":                           "syscall",
-	"syscall.ETHERTYPE_DECNETBIOS":                         "syscall",
-	"syscall.ETHERTYPE_DELTACON":                           "syscall",
-	"syscall.ETHERTYPE_DIDDLE":                             "syscall",
-	"syscall.ETHERTYPE_DLOG1":                              "syscall",
-	"syscall.ETHERTYPE_DLOG2":                              "syscall",
-	"syscall.ETHERTYPE_DN":                                 "syscall",
-	"syscall.ETHERTYPE_DOGFIGHT":                           "syscall",
-	"syscall.ETHERTYPE_DSMD":                               "syscall",
-	"syscall.ETHERTYPE_ECMA":                               "syscall",
-	"syscall.ETHERTYPE_ENCRYPT":                            "syscall",
-	"syscall.ETHERTYPE_ES":                                 "syscall",
-	"syscall.ETHERTYPE_EXCELAN":                            "syscall",
-	"syscall.ETHERTYPE_EXPERDATA":                          "syscall",
-	"syscall.ETHERTYPE_FLIP":                               "syscall",
-	"syscall.ETHERTYPE_FLOWCONTROL":                        "syscall",
-	"syscall.ETHERTYPE_FRARP":                              "syscall",
-	"syscall.ETHERTYPE_GENDYN":                             "syscall",
-	"syscall.ETHERTYPE_HAYES":                              "syscall",
-	"syscall.ETHERTYPE_HIPPI_FP":                           "syscall",
-	"syscall.ETHERTYPE_HITACHI":                            "syscall",
-	"syscall.ETHERTYPE_HP":                                 "syscall",
-	"syscall.ETHERTYPE_IEEEPUP":                            "syscall",
-	"syscall.ETHERTYPE_IEEEPUPAT":                          "syscall",
-	"syscall.ETHERTYPE_IMLBL":                              "syscall",
-	"syscall.ETHERTYPE_IMLBLDIAG":                          "syscall",
-	"syscall.ETHERTYPE_IP":                                 "syscall",
-	"syscall.ETHERTYPE_IPAS":                               "syscall",
-	"syscall.ETHERTYPE_IPV6":                               "syscall",
-	"syscall.ETHERTYPE_IPX":                                "syscall",
-	"syscall.ETHERTYPE_IPXNEW":                             "syscall",
-	"syscall.ETHERTYPE_KALPANA":                            "syscall",
-	"syscall.ETHERTYPE_LANBRIDGE":                          "syscall",
-	"syscall.ETHERTYPE_LANPROBE":                           "syscall",
-	"syscall.ETHERTYPE_LAT":                                "syscall",
-	"syscall.ETHERTYPE_LBACK":                              "syscall",
-	"syscall.ETHERTYPE_LITTLE":                             "syscall",
-	"syscall.ETHERTYPE_LLDP":                               "syscall",
-	"syscall.ETHERTYPE_LOGICRAFT":                          "syscall",
-	"syscall.ETHERTYPE_LOOPBACK":                           "syscall",
-	"syscall.ETHERTYPE_MATRA":                              "syscall",
-	"syscall.ETHERTYPE_MAX":                                "syscall",
-	"syscall.ETHERTYPE_MERIT":                              "syscall",
-	"syscall.ETHERTYPE_MICP":                               "syscall",
-	"syscall.ETHERTYPE_MOPDL":                              "syscall",
-	"syscall.ETHERTYPE_MOPRC":                              "syscall",
-	"syscall.ETHERTYPE_MOTOROLA":                           "syscall",
-	"syscall.ETHERTYPE_MPLS":                               "syscall",
-	"syscall.ETHERTYPE_MPLS_MCAST":                         "syscall",
-	"syscall.ETHERTYPE_MUMPS":                              "syscall",
-	"syscall.ETHERTYPE_NBPCC":                              "syscall",
-	"syscall.ETHERTYPE_NBPCLAIM":                           "syscall",
-	"syscall.ETHERTYPE_NBPCLREQ":                           "syscall",
-	"syscall.ETHERTYPE_NBPCLRSP":                           "syscall",
-	"syscall.ETHERTYPE_NBPCREQ":                            "syscall",
-	"syscall.ETHERTYPE_NBPCRSP":                            "syscall",
-	"syscall.ETHERTYPE_NBPDG":                              "syscall",
-	"syscall.ETHERTYPE_NBPDGB":                             "syscall",
-	"syscall.ETHERTYPE_NBPDLTE":                            "syscall",
-	"syscall.ETHERTYPE_NBPRAR":                             "syscall",
-	"syscall.ETHERTYPE_NBPRAS":                             "syscall",
-	"syscall.ETHERTYPE_NBPRST":                             "syscall",
-	"syscall.ETHERTYPE_NBPSCD":                             "syscall",
-	"syscall.ETHERTYPE_NBPVCD":                             "syscall",
-	"syscall.ETHERTYPE_NBS":                                "syscall",
-	"syscall.ETHERTYPE_NCD":                                "syscall",
-	"syscall.ETHERTYPE_NESTAR":                             "syscall",
-	"syscall.ETHERTYPE_NETBEUI":                            "syscall",
-	"syscall.ETHERTYPE_NOVELL":                             "syscall",
-	"syscall.ETHERTYPE_NS":                                 "syscall",
-	"syscall.ETHERTYPE_NSAT":                               "syscall",
-	"syscall.ETHERTYPE_NSCOMPAT":                           "syscall",
-	"syscall.ETHERTYPE_NTRAILER":                           "syscall",
-	"syscall.ETHERTYPE_OS9":                                "syscall",
-	"syscall.ETHERTYPE_OS9NET":                             "syscall",
-	"syscall.ETHERTYPE_PACER":                              "syscall",
-	"syscall.ETHERTYPE_PAE":                                "syscall",
-	"syscall.ETHERTYPE_PCS":                                "syscall",
-	"syscall.ETHERTYPE_PLANNING":                           "syscall",
-	"syscall.ETHERTYPE_PPP":                                "syscall",
-	"syscall.ETHERTYPE_PPPOE":                              "syscall",
-	"syscall.ETHERTYPE_PPPOEDISC":                          "syscall",
-	"syscall.ETHERTYPE_PRIMENTS":                           "syscall",
-	"syscall.ETHERTYPE_PUP":                                "syscall",
-	"syscall.ETHERTYPE_PUPAT":                              "syscall",
-	"syscall.ETHERTYPE_QINQ":                               "syscall",
-	"syscall.ETHERTYPE_RACAL":                              "syscall",
-	"syscall.ETHERTYPE_RATIONAL":                           "syscall",
-	"syscall.ETHERTYPE_RAWFR":                              "syscall",
-	"syscall.ETHERTYPE_RCL":                                "syscall",
-	"syscall.ETHERTYPE_RDP":                                "syscall",
-	"syscall.ETHERTYPE_RETIX":                              "syscall",
-	"syscall.ETHERTYPE_REVARP":                             "syscall",
-	"syscall.ETHERTYPE_SCA":                                "syscall",
-	"syscall.ETHERTYPE_SECTRA":                             "syscall",
-	"syscall.ETHERTYPE_SECUREDATA":                         "syscall",
-	"syscall.ETHERTYPE_SGITW":                              "syscall",
-	"syscall.ETHERTYPE_SG_BOUNCE":                          "syscall",
-	"syscall.ETHERTYPE_SG_DIAG":                            "syscall",
-	"syscall.ETHERTYPE_SG_NETGAMES":                        "syscall",
-	"syscall.ETHERTYPE_SG_RESV":                            "syscall",
-	"syscall.ETHERTYPE_SIMNET":                             "syscall",
-	"syscall.ETHERTYPE_SLOW":                               "syscall",
-	"syscall.ETHERTYPE_SLOWPROTOCOLS":                      "syscall",
-	"syscall.ETHERTYPE_SNA":                                "syscall",
-	"syscall.ETHERTYPE_SNMP":                               "syscall",
-	"syscall.ETHERTYPE_SONIX":                              "syscall",
-	"syscall.ETHERTYPE_SPIDER":                             "syscall",
-	"syscall.ETHERTYPE_SPRITE":                             "syscall",
-	"syscall.ETHERTYPE_STP":                                "syscall",
-	"syscall.ETHERTYPE_TALARIS":                            "syscall",
-	"syscall.ETHERTYPE_TALARISMC":                          "syscall",
-	"syscall.ETHERTYPE_TCPCOMP":                            "syscall",
-	"syscall.ETHERTYPE_TCPSM":                              "syscall",
-	"syscall.ETHERTYPE_TEC":                                "syscall",
-	"syscall.ETHERTYPE_TIGAN":                              "syscall",
-	"syscall.ETHERTYPE_TRAIL":                              "syscall",
-	"syscall.ETHERTYPE_TRANSETHER":                         "syscall",
-	"syscall.ETHERTYPE_TYMSHARE":                           "syscall",
-	"syscall.ETHERTYPE_UBBST":                              "syscall",
-	"syscall.ETHERTYPE_UBDEBUG":                            "syscall",
-	"syscall.ETHERTYPE_UBDIAGLOOP":                         "syscall",
-	"syscall.ETHERTYPE_UBDL":                               "syscall",
-	"syscall.ETHERTYPE_UBNIU":                              "syscall",
-	"syscall.ETHERTYPE_UBNMC":                              "syscall",
-	"syscall.ETHERTYPE_VALID":                              "syscall",
-	"syscall.ETHERTYPE_VARIAN":                             "syscall",
-	"syscall.ETHERTYPE_VAXELN":                             "syscall",
-	"syscall.ETHERTYPE_VEECO":                              "syscall",
-	"syscall.ETHERTYPE_VEXP":                               "syscall",
-	"syscall.ETHERTYPE_VGLAB":                              "syscall",
-	"syscall.ETHERTYPE_VINES":                              "syscall",
-	"syscall.ETHERTYPE_VINESECHO":                          "syscall",
-	"syscall.ETHERTYPE_VINESLOOP":                          "syscall",
-	"syscall.ETHERTYPE_VITAL":                              "syscall",
-	"syscall.ETHERTYPE_VLAN":                               "syscall",
-	"syscall.ETHERTYPE_VLTLMAN":                            "syscall",
-	"syscall.ETHERTYPE_VPROD":                              "syscall",
-	"syscall.ETHERTYPE_VURESERVED":                         "syscall",
-	"syscall.ETHERTYPE_WATERLOO":                           "syscall",
-	"syscall.ETHERTYPE_WELLFLEET":                          "syscall",
-	"syscall.ETHERTYPE_X25":                                "syscall",
-	"syscall.ETHERTYPE_X75":                                "syscall",
-	"syscall.ETHERTYPE_XNSSM":                              "syscall",
-	"syscall.ETHERTYPE_XTP":                                "syscall",
-	"syscall.ETHER_ADDR_LEN":                               "syscall",
-	"syscall.ETHER_ALIGN":                                  "syscall",
-	"syscall.ETHER_CRC_LEN":                                "syscall",
-	"syscall.ETHER_CRC_POLY_BE":                            "syscall",
-	"syscall.ETHER_CRC_POLY_LE":                            "syscall",
-	"syscall.ETHER_HDR_LEN":                                "syscall",
-	"syscall.ETHER_MAX_DIX_LEN":                            "syscall",
-	"syscall.ETHER_MAX_LEN":                                "syscall",
-	"syscall.ETHER_MAX_LEN_JUMBO":                          "syscall",
-	"syscall.ETHER_MIN_LEN":                                "syscall",
-	"syscall.ETHER_PPPOE_ENCAP_LEN":                        "syscall",
-	"syscall.ETHER_TYPE_LEN":                               "syscall",
-	"syscall.ETHER_VLAN_ENCAP_LEN":                         "syscall",
-	"syscall.ETH_P_1588":                                   "syscall",
-	"syscall.ETH_P_8021Q":                                  "syscall",
-	"syscall.ETH_P_802_2":                                  "syscall",
-	"syscall.ETH_P_802_3":                                  "syscall",
-	"syscall.ETH_P_AARP":                                   "syscall",
-	"syscall.ETH_P_ALL":                                    "syscall",
-	"syscall.ETH_P_AOE":                                    "syscall",
-	"syscall.ETH_P_ARCNET":                                 "syscall",
-	"syscall.ETH_P_ARP":                                    "syscall",
-	"syscall.ETH_P_ATALK":                                  "syscall",
-	"syscall.ETH_P_ATMFATE":                                "syscall",
-	"syscall.ETH_P_ATMMPOA":                                "syscall",
-	"syscall.ETH_P_AX25":                                   "syscall",
-	"syscall.ETH_P_BPQ":                                    "syscall",
-	"syscall.ETH_P_CAIF":                                   "syscall",
-	"syscall.ETH_P_CAN":                                    "syscall",
-	"syscall.ETH_P_CONTROL":                                "syscall",
-	"syscall.ETH_P_CUST":                                   "syscall",
-	"syscall.ETH_P_DDCMP":                                  "syscall",
-	"syscall.ETH_P_DEC":                                    "syscall",
-	"syscall.ETH_P_DIAG":                                   "syscall",
-	"syscall.ETH_P_DNA_DL":                                 "syscall",
-	"syscall.ETH_P_DNA_RC":                                 "syscall",
-	"syscall.ETH_P_DNA_RT":                                 "syscall",
-	"syscall.ETH_P_DSA":                                    "syscall",
-	"syscall.ETH_P_ECONET":                                 "syscall",
-	"syscall.ETH_P_EDSA":                                   "syscall",
-	"syscall.ETH_P_FCOE":                                   "syscall",
-	"syscall.ETH_P_FIP":                                    "syscall",
-	"syscall.ETH_P_HDLC":                                   "syscall",
-	"syscall.ETH_P_IEEE802154":                             "syscall",
-	"syscall.ETH_P_IEEEPUP":                                "syscall",
-	"syscall.ETH_P_IEEEPUPAT":                              "syscall",
-	"syscall.ETH_P_IP":                                     "syscall",
-	"syscall.ETH_P_IPV6":                                   "syscall",
-	"syscall.ETH_P_IPX":                                    "syscall",
-	"syscall.ETH_P_IRDA":                                   "syscall",
-	"syscall.ETH_P_LAT":                                    "syscall",
-	"syscall.ETH_P_LINK_CTL":                               "syscall",
-	"syscall.ETH_P_LOCALTALK":                              "syscall",
-	"syscall.ETH_P_LOOP":                                   "syscall",
-	"syscall.ETH_P_MOBITEX":                                "syscall",
-	"syscall.ETH_P_MPLS_MC":                                "syscall",
-	"syscall.ETH_P_MPLS_UC":                                "syscall",
-	"syscall.ETH_P_PAE":                                    "syscall",
-	"syscall.ETH_P_PAUSE":                                  "syscall",
-	"syscall.ETH_P_PHONET":                                 "syscall",
-	"syscall.ETH_P_PPPTALK":                                "syscall",
-	"syscall.ETH_P_PPP_DISC":                               "syscall",
-	"syscall.ETH_P_PPP_MP":                                 "syscall",
-	"syscall.ETH_P_PPP_SES":                                "syscall",
-	"syscall.ETH_P_PUP":                                    "syscall",
-	"syscall.ETH_P_PUPAT":                                  "syscall",
-	"syscall.ETH_P_RARP":                                   "syscall",
-	"syscall.ETH_P_SCA":                                    "syscall",
-	"syscall.ETH_P_SLOW":                                   "syscall",
-	"syscall.ETH_P_SNAP":                                   "syscall",
-	"syscall.ETH_P_TEB":                                    "syscall",
-	"syscall.ETH_P_TIPC":                                   "syscall",
-	"syscall.ETH_P_TRAILER":                                "syscall",
-	"syscall.ETH_P_TR_802_2":                               "syscall",
-	"syscall.ETH_P_WAN_PPP":                                "syscall",
-	"syscall.ETH_P_WCCP":                                   "syscall",
-	"syscall.ETH_P_X25":                                    "syscall",
-	"syscall.ETIME":                                        "syscall",
-	"syscall.ETIMEDOUT":                                    "syscall",
-	"syscall.ETOOMANYREFS":                                 "syscall",
-	"syscall.ETXTBSY":                                      "syscall",
-	"syscall.EUCLEAN":                                      "syscall",
-	"syscall.EUNATCH":                                      "syscall",
-	"syscall.EUSERS":                                       "syscall",
-	"syscall.EVFILT_AIO":                                   "syscall",
-	"syscall.EVFILT_FS":                                    "syscall",
-	"syscall.EVFILT_LIO":                                   "syscall",
-	"syscall.EVFILT_MACHPORT":                              "syscall",
-	"syscall.EVFILT_PROC":                                  "syscall",
-	"syscall.EVFILT_READ":                                  "syscall",
-	"syscall.EVFILT_SIGNAL":                                "syscall",
-	"syscall.EVFILT_SYSCOUNT":                              "syscall",
-	"syscall.EVFILT_THREADMARKER":                          "syscall",
-	"syscall.EVFILT_TIMER":                                 "syscall",
-	"syscall.EVFILT_USER":                                  "syscall",
-	"syscall.EVFILT_VM":                                    "syscall",
-	"syscall.EVFILT_VNODE":                                 "syscall",
-	"syscall.EVFILT_WRITE":                                 "syscall",
-	"syscall.EV_ADD":                                       "syscall",
-	"syscall.EV_CLEAR":                                     "syscall",
-	"syscall.EV_DELETE":                                    "syscall",
-	"syscall.EV_DISABLE":                                   "syscall",
-	"syscall.EV_DISPATCH":                                  "syscall",
-	"syscall.EV_DROP":                                      "syscall",
-	"syscall.EV_ENABLE":                                    "syscall",
-	"syscall.EV_EOF":                                       "syscall",
-	"syscall.EV_ERROR":                                     "syscall",
-	"syscall.EV_FLAG0":                                     "syscall",
-	"syscall.EV_FLAG1":                                     "syscall",
-	"syscall.EV_ONESHOT":                                   "syscall",
-	"syscall.EV_OOBAND":                                    "syscall",
-	"syscall.EV_POLL":                                      "syscall",
-	"syscall.EV_RECEIPT":                                   "syscall",
-	"syscall.EV_SYSFLAGS":                                  "syscall",
-	"syscall.EWINDOWS":                                     "syscall",
-	"syscall.EWOULDBLOCK":                                  "syscall",
-	"syscall.EXDEV":                                        "syscall",
-	"syscall.EXFULL":                                       "syscall",
-	"syscall.EXTA":                                         "syscall",
-	"syscall.EXTB":                                         "syscall",
-	"syscall.EXTPROC":                                      "syscall",
-	"syscall.Environ":                                      "syscall",
-	"syscall.EpollCreate":                                  "syscall",
-	"syscall.EpollCreate1":                                 "syscall",
-	"syscall.EpollCtl":                                     "syscall",
-	"syscall.EpollEvent":                                   "syscall",
-	"syscall.EpollWait":                                    "syscall",
-	"syscall.Errno":                                        "syscall",
-	"syscall.EscapeArg":                                    "syscall",
-	"syscall.Exchangedata":                                 "syscall",
-	"syscall.Exec":                                         "syscall",
-	"syscall.Exit":                                         "syscall",
-	"syscall.ExitProcess":                                  "syscall",
-	"syscall.FD_CLOEXEC":                                   "syscall",
-	"syscall.FD_SETSIZE":                                   "syscall",
-	"syscall.FILE_ACTION_ADDED":                            "syscall",
-	"syscall.FILE_ACTION_MODIFIED":                         "syscall",
-	"syscall.FILE_ACTION_REMOVED":                          "syscall",
-	"syscall.FILE_ACTION_RENAMED_NEW_NAME":                 "syscall",
-	"syscall.FILE_ACTION_RENAMED_OLD_NAME":                 "syscall",
-	"syscall.FILE_APPEND_DATA":                             "syscall",
-	"syscall.FILE_ATTRIBUTE_ARCHIVE":                       "syscall",
-	"syscall.FILE_ATTRIBUTE_DIRECTORY":                     "syscall",
-	"syscall.FILE_ATTRIBUTE_HIDDEN":                        "syscall",
-	"syscall.FILE_ATTRIBUTE_NORMAL":                        "syscall",
-	"syscall.FILE_ATTRIBUTE_READONLY":                      "syscall",
-	"syscall.FILE_ATTRIBUTE_REPARSE_POINT":                 "syscall",
-	"syscall.FILE_ATTRIBUTE_SYSTEM":                        "syscall",
-	"syscall.FILE_BEGIN":                                   "syscall",
-	"syscall.FILE_CURRENT":                                 "syscall",
-	"syscall.FILE_END":                                     "syscall",
-	"syscall.FILE_FLAG_BACKUP_SEMANTICS":                   "syscall",
-	"syscall.FILE_FLAG_OPEN_REPARSE_POINT":                 "syscall",
-	"syscall.FILE_FLAG_OVERLAPPED":                         "syscall",
-	"syscall.FILE_LIST_DIRECTORY":                          "syscall",
-	"syscall.FILE_MAP_COPY":                                "syscall",
-	"syscall.FILE_MAP_EXECUTE":                             "syscall",
-	"syscall.FILE_MAP_READ":                                "syscall",
-	"syscall.FILE_MAP_WRITE":                               "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_ATTRIBUTES":                "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_CREATION":                  "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_DIR_NAME":                  "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_FILE_NAME":                 "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_LAST_ACCESS":               "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_LAST_WRITE":                "syscall",
-	"syscall.FILE_NOTIFY_CHANGE_SIZE":                      "syscall",
-	"syscall.FILE_SHARE_DELETE":                            "syscall",
-	"syscall.FILE_SHARE_READ":                              "syscall",
-	"syscall.FILE_SHARE_WRITE":                             "syscall",
-	"syscall.FILE_SKIP_COMPLETION_PORT_ON_SUCCESS":         "syscall",
-	"syscall.FILE_SKIP_SET_EVENT_ON_HANDLE":                "syscall",
-	"syscall.FILE_TYPE_CHAR":                               "syscall",
-	"syscall.FILE_TYPE_DISK":                               "syscall",
-	"syscall.FILE_TYPE_PIPE":                               "syscall",
-	"syscall.FILE_TYPE_REMOTE":                             "syscall",
-	"syscall.FILE_TYPE_UNKNOWN":                            "syscall",
-	"syscall.FILE_WRITE_ATTRIBUTES":                        "syscall",
-	"syscall.FLUSHO":                                       "syscall",
-	"syscall.FORMAT_MESSAGE_ALLOCATE_BUFFER":               "syscall",
-	"syscall.FORMAT_MESSAGE_ARGUMENT_ARRAY":                "syscall",
-	"syscall.FORMAT_MESSAGE_FROM_HMODULE":                  "syscall",
-	"syscall.FORMAT_MESSAGE_FROM_STRING":                   "syscall",
-	"syscall.FORMAT_MESSAGE_FROM_SYSTEM":                   "syscall",
-	"syscall.FORMAT_MESSAGE_IGNORE_INSERTS":                "syscall",
-	"syscall.FORMAT_MESSAGE_MAX_WIDTH_MASK":                "syscall",
-	"syscall.FSCTL_GET_REPARSE_POINT":                      "syscall",
-	"syscall.F_ADDFILESIGS":                                "syscall",
-	"syscall.F_ADDSIGS":                                    "syscall",
-	"syscall.F_ALLOCATEALL":                                "syscall",
-	"syscall.F_ALLOCATECONTIG":                             "syscall",
-	"syscall.F_CANCEL":                                     "syscall",
-	"syscall.F_CHKCLEAN":                                   "syscall",
-	"syscall.F_CLOSEM":                                     "syscall",
-	"syscall.F_DUP2FD":                                     "syscall",
-	"syscall.F_DUP2FD_CLOEXEC":                             "syscall",
-	"syscall.F_DUPFD":                                      "syscall",
-	"syscall.F_DUPFD_CLOEXEC":                              "syscall",
-	"syscall.F_EXLCK":                                      "syscall",
-	"syscall.F_FLUSH_DATA":                                 "syscall",
-	"syscall.F_FREEZE_FS":                                  "syscall",
-	"syscall.F_FSCTL":                                      "syscall",
-	"syscall.F_FSDIRMASK":                                  "syscall",
-	"syscall.F_FSIN":                                       "syscall",
-	"syscall.F_FSINOUT":                                    "syscall",
-	"syscall.F_FSOUT":                                      "syscall",
-	"syscall.F_FSPRIV":                                     "syscall",
-	"syscall.F_FSVOID":                                     "syscall",
-	"syscall.F_FULLFSYNC":                                  "syscall",
-	"syscall.F_GETFD":                                      "syscall",
-	"syscall.F_GETFL":                                      "syscall",
-	"syscall.F_GETLEASE":                                   "syscall",
-	"syscall.F_GETLK":                                      "syscall",
-	"syscall.F_GETLK64":                                    "syscall",
-	"syscall.F_GETLKPID":                                   "syscall",
-	"syscall.F_GETNOSIGPIPE":                               "syscall",
-	"syscall.F_GETOWN":                                     "syscall",
-	"syscall.F_GETOWN_EX":                                  "syscall",
-	"syscall.F_GETPATH":                                    "syscall",
-	"syscall.F_GETPATH_MTMINFO":                            "syscall",
-	"syscall.F_GETPIPE_SZ":                                 "syscall",
-	"syscall.F_GETPROTECTIONCLASS":                         "syscall",
-	"syscall.F_GETSIG":                                     "syscall",
-	"syscall.F_GLOBAL_NOCACHE":                             "syscall",
-	"syscall.F_LOCK":                                       "syscall",
-	"syscall.F_LOG2PHYS":                                   "syscall",
-	"syscall.F_LOG2PHYS_EXT":                               "syscall",
-	"syscall.F_MARKDEPENDENCY":                             "syscall",
-	"syscall.F_MAXFD":                                      "syscall",
-	"syscall.F_NOCACHE":                                    "syscall",
-	"syscall.F_NODIRECT":                                   "syscall",
-	"syscall.F_NOTIFY":                                     "syscall",
-	"syscall.F_OGETLK":                                     "syscall",
-	"syscall.F_OK":                                         "syscall",
-	"syscall.F_OSETLK":                                     "syscall",
-	"syscall.F_OSETLKW":                                    "syscall",
-	"syscall.F_PARAM_MASK":                                 "syscall",
-	"syscall.F_PARAM_MAX":                                  "syscall",
-	"syscall.F_PATHPKG_CHECK":                              "syscall",
-	"syscall.F_PEOFPOSMODE":                                "syscall",
-	"syscall.F_PREALLOCATE":                                "syscall",
-	"syscall.F_RDADVISE":                                   "syscall",
-	"syscall.F_RDAHEAD":                                    "syscall",
-	"syscall.F_RDLCK":                                      "syscall",
-	"syscall.F_READAHEAD":                                  "syscall",
-	"syscall.F_READBOOTSTRAP":                              "syscall",
-	"syscall.F_SETBACKINGSTORE":                            "syscall",
-	"syscall.F_SETFD":                                      "syscall",
-	"syscall.F_SETFL":                                      "syscall",
-	"syscall.F_SETLEASE":                                   "syscall",
-	"syscall.F_SETLK":                                      "syscall",
-	"syscall.F_SETLK64":                                    "syscall",
-	"syscall.F_SETLKW":                                     "syscall",
-	"syscall.F_SETLKW64":                                   "syscall",
-	"syscall.F_SETLK_REMOTE":                               "syscall",
-	"syscall.F_SETNOSIGPIPE":                               "syscall",
-	"syscall.F_SETOWN":                                     "syscall",
-	"syscall.F_SETOWN_EX":                                  "syscall",
-	"syscall.F_SETPIPE_SZ":                                 "syscall",
-	"syscall.F_SETPROTECTIONCLASS":                         "syscall",
-	"syscall.F_SETSIG":                                     "syscall",
-	"syscall.F_SETSIZE":                                    "syscall",
-	"syscall.F_SHLCK":                                      "syscall",
-	"syscall.F_TEST":                                       "syscall",
-	"syscall.F_THAW_FS":                                    "syscall",
-	"syscall.F_TLOCK":                                      "syscall",
-	"syscall.F_ULOCK":                                      "syscall",
-	"syscall.F_UNLCK":                                      "syscall",
-	"syscall.F_UNLCKSYS":                                   "syscall",
-	"syscall.F_VOLPOSMODE":                                 "syscall",
-	"syscall.F_WRITEBOOTSTRAP":                             "syscall",
-	"syscall.F_WRLCK":                                      "syscall",
-	"syscall.Faccessat":                                    "syscall",
-	"syscall.Fallocate":                                    "syscall",
-	"syscall.Fbootstraptransfer_t":                         "syscall",
-	"syscall.Fchdir":                                       "syscall",
-	"syscall.Fchflags":                                     "syscall",
-	"syscall.Fchmod":                                       "syscall",
-	"syscall.Fchmodat":                                     "syscall",
-	"syscall.Fchown":                                       "syscall",
-	"syscall.Fchownat":                                     "syscall",
-	"syscall.FcntlFlock":                                   "syscall",
-	"syscall.FdSet":                                        "syscall",
-	"syscall.Fdatasync":                                    "syscall",
-	"syscall.FileNotifyInformation":                        "syscall",
-	"syscall.Filetime":                                     "syscall",
-	"syscall.FindClose":                                    "syscall",
-	"syscall.FindFirstFile":                                "syscall",
-	"syscall.FindNextFile":                                 "syscall",
-	"syscall.Flock":                                        "syscall",
-	"syscall.Flock_t":                                      "syscall",
-	"syscall.FlushBpf":                                     "syscall",
-	"syscall.FlushFileBuffers":                             "syscall",
-	"syscall.FlushViewOfFile":                              "syscall",
-	"syscall.ForkExec":                                     "syscall",
-	"syscall.ForkLock":                                     "syscall",
-	"syscall.FormatMessage":                                "syscall",
-	"syscall.Fpathconf":                                    "syscall",
-	"syscall.FreeAddrInfoW":                                "syscall",
-	"syscall.FreeEnvironmentStrings":                       "syscall",
-	"syscall.FreeLibrary":                                  "syscall",
-	"syscall.Fsid":                                         "syscall",
-	"syscall.Fstat":                                        "syscall",
-	"syscall.Fstatfs":                                      "syscall",
-	"syscall.Fstore_t":                                     "syscall",
-	"syscall.Fsync":                                        "syscall",
-	"syscall.Ftruncate":                                    "syscall",
-	"syscall.FullPath":                                     "syscall",
-	"syscall.Futimes":                                      "syscall",
-	"syscall.Futimesat":                                    "syscall",
-	"syscall.GENERIC_ALL":                                  "syscall",
-	"syscall.GENERIC_EXECUTE":                              "syscall",
-	"syscall.GENERIC_READ":                                 "syscall",
-	"syscall.GENERIC_WRITE":                                "syscall",
-	"syscall.GUID":                                         "syscall",
-	"syscall.GetAcceptExSockaddrs":                         "syscall",
-	"syscall.GetAdaptersInfo":                              "syscall",
-	"syscall.GetAddrInfoW":                                 "syscall",
-	"syscall.GetCommandLine":                               "syscall",
-	"syscall.GetComputerName":                              "syscall",
-	"syscall.GetConsoleMode":                               "syscall",
-	"syscall.GetCurrentDirectory":                          "syscall",
-	"syscall.GetCurrentProcess":                            "syscall",
-	"syscall.GetEnvironmentStrings":                        "syscall",
-	"syscall.GetEnvironmentVariable":                       "syscall",
-	"syscall.GetExitCodeProcess":                           "syscall",
-	"syscall.GetFileAttributes":                            "syscall",
-	"syscall.GetFileAttributesEx":                          "syscall",
-	"syscall.GetFileExInfoStandard":                        "syscall",
-	"syscall.GetFileExMaxInfoLevel":                        "syscall",
-	"syscall.GetFileInformationByHandle":                   "syscall",
-	"syscall.GetFileType":                                  "syscall",
-	"syscall.GetFullPathName":                              "syscall",
-	"syscall.GetHostByName":                                "syscall",
-	"syscall.GetIfEntry":                                   "syscall",
-	"syscall.GetLastError":                                 "syscall",
-	"syscall.GetLengthSid":                                 "syscall",
-	"syscall.GetLongPathName":                              "syscall",
-	"syscall.GetProcAddress":                               "syscall",
-	"syscall.GetProcessTimes":                              "syscall",
-	"syscall.GetProtoByName":                               "syscall",
-	"syscall.GetQueuedCompletionStatus":                    "syscall",
-	"syscall.GetServByName":                                "syscall",
-	"syscall.GetShortPathName":                             "syscall",
-	"syscall.GetStartupInfo":                               "syscall",
-	"syscall.GetStdHandle":                                 "syscall",
-	"syscall.GetSystemTimeAsFileTime":                      "syscall",
-	"syscall.GetTempPath":                                  "syscall",
-	"syscall.GetTimeZoneInformation":                       "syscall",
-	"syscall.GetTokenInformation":                          "syscall",
-	"syscall.GetUserNameEx":                                "syscall",
-	"syscall.GetUserProfileDirectory":                      "syscall",
-	"syscall.GetVersion":                                   "syscall",
-	"syscall.Getcwd":                                       "syscall",
-	"syscall.Getdents":                                     "syscall",
-	"syscall.Getdirentries":                                "syscall",
-	"syscall.Getdtablesize":                                "syscall",
-	"syscall.Getegid":                                      "syscall",
-	"syscall.Getenv":                                       "syscall",
-	"syscall.Geteuid":                                      "syscall",
-	"syscall.Getfsstat":                                    "syscall",
-	"syscall.Getgid":                                       "syscall",
-	"syscall.Getgroups":                                    "syscall",
-	"syscall.Getpagesize":                                  "syscall",
-	"syscall.Getpeername":                                  "syscall",
-	"syscall.Getpgid":                                      "syscall",
-	"syscall.Getpgrp":                                      "syscall",
-	"syscall.Getpid":                                       "syscall",
-	"syscall.Getppid":                                      "syscall",
-	"syscall.Getpriority":                                  "syscall",
-	"syscall.Getrlimit":                                    "syscall",
-	"syscall.Getrusage":                                    "syscall",
-	"syscall.Getsid":                                       "syscall",
-	"syscall.Getsockname":                                  "syscall",
-	"syscall.Getsockopt":                                   "syscall",
-	"syscall.GetsockoptByte":                               "syscall",
-	"syscall.GetsockoptICMPv6Filter":                       "syscall",
-	"syscall.GetsockoptIPMreq":                             "syscall",
-	"syscall.GetsockoptIPMreqn":                            "syscall",
-	"syscall.GetsockoptIPv6MTUInfo":                        "syscall",
-	"syscall.GetsockoptIPv6Mreq":                           "syscall",
-	"syscall.GetsockoptInet4Addr":                          "syscall",
-	"syscall.GetsockoptInt":                                "syscall",
-	"syscall.GetsockoptUcred":                              "syscall",
-	"syscall.Gettid":                                       "syscall",
-	"syscall.Gettimeofday":                                 "syscall",
-	"syscall.Getuid":                                       "syscall",
-	"syscall.Getwd":                                        "syscall",
-	"syscall.Getxattr":                                     "syscall",
-	"syscall.HANDLE_FLAG_INHERIT":                          "syscall",
-	"syscall.HKEY_CLASSES_ROOT":                            "syscall",
-	"syscall.HKEY_CURRENT_CONFIG":                          "syscall",
-	"syscall.HKEY_CURRENT_USER":                            "syscall",
-	"syscall.HKEY_DYN_DATA":                                "syscall",
-	"syscall.HKEY_LOCAL_MACHINE":                           "syscall",
-	"syscall.HKEY_PERFORMANCE_DATA":                        "syscall",
-	"syscall.HKEY_USERS":                                   "syscall",
-	"syscall.HUPCL":                                        "syscall",
-	"syscall.Handle":                                       "syscall",
-	"syscall.Hostent":                                      "syscall",
-	"syscall.ICANON":                                       "syscall",
-	"syscall.ICMP6_FILTER":                                 "syscall",
-	"syscall.ICMPV6_FILTER":                                "syscall",
-	"syscall.ICMPv6Filter":                                 "syscall",
-	"syscall.ICRNL":                                        "syscall",
-	"syscall.IEXTEN":                                       "syscall",
-	"syscall.IFAN_ARRIVAL":                                 "syscall",
-	"syscall.IFAN_DEPARTURE":                               "syscall",
-	"syscall.IFA_ADDRESS":                                  "syscall",
-	"syscall.IFA_ANYCAST":                                  "syscall",
-	"syscall.IFA_BROADCAST":                                "syscall",
-	"syscall.IFA_CACHEINFO":                                "syscall",
-	"syscall.IFA_F_DADFAILED":                              "syscall",
-	"syscall.IFA_F_DEPRECATED":                             "syscall",
-	"syscall.IFA_F_HOMEADDRESS":                            "syscall",
-	"syscall.IFA_F_NODAD":                                  "syscall",
-	"syscall.IFA_F_OPTIMISTIC":                             "syscall",
-	"syscall.IFA_F_PERMANENT":                              "syscall",
-	"syscall.IFA_F_SECONDARY":                              "syscall",
-	"syscall.IFA_F_TEMPORARY":                              "syscall",
-	"syscall.IFA_F_TENTATIVE":                              "syscall",
-	"syscall.IFA_LABEL":                                    "syscall",
-	"syscall.IFA_LOCAL":                                    "syscall",
-	"syscall.IFA_MAX":                                      "syscall",
-	"syscall.IFA_MULTICAST":                                "syscall",
-	"syscall.IFA_ROUTE":                                    "syscall",
-	"syscall.IFA_UNSPEC":                                   "syscall",
-	"syscall.IFF_ALLMULTI":                                 "syscall",
-	"syscall.IFF_ALTPHYS":                                  "syscall",
-	"syscall.IFF_AUTOMEDIA":                                "syscall",
-	"syscall.IFF_BROADCAST":                                "syscall",
-	"syscall.IFF_CANTCHANGE":                               "syscall",
-	"syscall.IFF_CANTCONFIG":                               "syscall",
-	"syscall.IFF_DEBUG":                                    "syscall",
-	"syscall.IFF_DRV_OACTIVE":                              "syscall",
-	"syscall.IFF_DRV_RUNNING":                              "syscall",
-	"syscall.IFF_DYING":                                    "syscall",
-	"syscall.IFF_DYNAMIC":                                  "syscall",
-	"syscall.IFF_LINK0":                                    "syscall",
-	"syscall.IFF_LINK1":                                    "syscall",
-	"syscall.IFF_LINK2":                                    "syscall",
-	"syscall.IFF_LOOPBACK":                                 "syscall",
-	"syscall.IFF_MASTER":                                   "syscall",
-	"syscall.IFF_MONITOR":                                  "syscall",
-	"syscall.IFF_MULTICAST":                                "syscall",
-	"syscall.IFF_NOARP":                                    "syscall",
-	"syscall.IFF_NOTRAILERS":                               "syscall",
-	"syscall.IFF_NO_PI":                                    "syscall",
-	"syscall.IFF_OACTIVE":                                  "syscall",
-	"syscall.IFF_ONE_QUEUE":                                "syscall",
-	"syscall.IFF_POINTOPOINT":                              "syscall",
-	"syscall.IFF_POINTTOPOINT":                             "syscall",
-	"syscall.IFF_PORTSEL":                                  "syscall",
-	"syscall.IFF_PPROMISC":                                 "syscall",
-	"syscall.IFF_PROMISC":                                  "syscall",
-	"syscall.IFF_RENAMING":                                 "syscall",
-	"syscall.IFF_RUNNING":                                  "syscall",
-	"syscall.IFF_SIMPLEX":                                  "syscall",
-	"syscall.IFF_SLAVE":                                    "syscall",
-	"syscall.IFF_SMART":                                    "syscall",
-	"syscall.IFF_STATICARP":                                "syscall",
-	"syscall.IFF_TAP":                                      "syscall",
-	"syscall.IFF_TUN":                                      "syscall",
-	"syscall.IFF_TUN_EXCL":                                 "syscall",
-	"syscall.IFF_UP":                                       "syscall",
-	"syscall.IFF_VNET_HDR":                                 "syscall",
-	"syscall.IFLA_ADDRESS":                                 "syscall",
-	"syscall.IFLA_BROADCAST":                               "syscall",
-	"syscall.IFLA_COST":                                    "syscall",
-	"syscall.IFLA_IFALIAS":                                 "syscall",
-	"syscall.IFLA_IFNAME":                                  "syscall",
-	"syscall.IFLA_LINK":                                    "syscall",
-	"syscall.IFLA_LINKINFO":                                "syscall",
-	"syscall.IFLA_LINKMODE":                                "syscall",
-	"syscall.IFLA_MAP":                                     "syscall",
-	"syscall.IFLA_MASTER":                                  "syscall",
-	"syscall.IFLA_MAX":                                     "syscall",
-	"syscall.IFLA_MTU":                                     "syscall",
-	"syscall.IFLA_NET_NS_PID":                              "syscall",
-	"syscall.IFLA_OPERSTATE":                               "syscall",
-	"syscall.IFLA_PRIORITY":                                "syscall",
-	"syscall.IFLA_PROTINFO":                                "syscall",
-	"syscall.IFLA_QDISC":                                   "syscall",
-	"syscall.IFLA_STATS":                                   "syscall",
-	"syscall.IFLA_TXQLEN":                                  "syscall",
-	"syscall.IFLA_UNSPEC":                                  "syscall",
-	"syscall.IFLA_WEIGHT":                                  "syscall",
-	"syscall.IFLA_WIRELESS":                                "syscall",
-	"syscall.IFNAMSIZ":                                     "syscall",
-	"syscall.IFT_1822":                                     "syscall",
-	"syscall.IFT_A12MPPSWITCH":                             "syscall",
-	"syscall.IFT_AAL2":                                     "syscall",
-	"syscall.IFT_AAL5":                                     "syscall",
-	"syscall.IFT_ADSL":                                     "syscall",
-	"syscall.IFT_AFLANE8023":                               "syscall",
-	"syscall.IFT_AFLANE8025":                               "syscall",
-	"syscall.IFT_ARAP":                                     "syscall",
-	"syscall.IFT_ARCNET":                                   "syscall",
-	"syscall.IFT_ARCNETPLUS":                               "syscall",
-	"syscall.IFT_ASYNC":                                    "syscall",
-	"syscall.IFT_ATM":                                      "syscall",
-	"syscall.IFT_ATMDXI":                                   "syscall",
-	"syscall.IFT_ATMFUNI":                                  "syscall",
-	"syscall.IFT_ATMIMA":                                   "syscall",
-	"syscall.IFT_ATMLOGICAL":                               "syscall",
-	"syscall.IFT_ATMRADIO":                                 "syscall",
-	"syscall.IFT_ATMSUBINTERFACE":                          "syscall",
-	"syscall.IFT_ATMVCIENDPT":                              "syscall",
-	"syscall.IFT_ATMVIRTUAL":                               "syscall",
-	"syscall.IFT_BGPPOLICYACCOUNTING":                      "syscall",
-	"syscall.IFT_BLUETOOTH":                                "syscall",
-	"syscall.IFT_BRIDGE":                                   "syscall",
-	"syscall.IFT_BSC":                                      "syscall",
-	"syscall.IFT_CARP":                                     "syscall",
-	"syscall.IFT_CCTEMUL":                                  "syscall",
-	"syscall.IFT_CELLULAR":                                 "syscall",
-	"syscall.IFT_CEPT":                                     "syscall",
-	"syscall.IFT_CES":                                      "syscall",
-	"syscall.IFT_CHANNEL":                                  "syscall",
-	"syscall.IFT_CNR":                                      "syscall",
-	"syscall.IFT_COFFEE":                                   "syscall",
-	"syscall.IFT_COMPOSITELINK":                            "syscall",
-	"syscall.IFT_DCN":                                      "syscall",
-	"syscall.IFT_DIGITALPOWERLINE":                         "syscall",
-	"syscall.IFT_DIGITALWRAPPEROVERHEADCHANNEL":            "syscall",
-	"syscall.IFT_DLSW":                                     "syscall",
-	"syscall.IFT_DOCSCABLEDOWNSTREAM":                      "syscall",
-	"syscall.IFT_DOCSCABLEMACLAYER":                        "syscall",
-	"syscall.IFT_DOCSCABLEUPSTREAM":                        "syscall",
-	"syscall.IFT_DOCSCABLEUPSTREAMCHANNEL":                 "syscall",
-	"syscall.IFT_DS0":                                      "syscall",
-	"syscall.IFT_DS0BUNDLE":                                "syscall",
-	"syscall.IFT_DS1FDL":                                   "syscall",
-	"syscall.IFT_DS3":                                      "syscall",
-	"syscall.IFT_DTM":                                      "syscall",
-	"syscall.IFT_DUMMY":                                    "syscall",
-	"syscall.IFT_DVBASILN":                                 "syscall",
-	"syscall.IFT_DVBASIOUT":                                "syscall",
-	"syscall.IFT_DVBRCCDOWNSTREAM":                         "syscall",
-	"syscall.IFT_DVBRCCMACLAYER":                           "syscall",
-	"syscall.IFT_DVBRCCUPSTREAM":                           "syscall",
-	"syscall.IFT_ECONET":                                   "syscall",
-	"syscall.IFT_ENC":                                      "syscall",
-	"syscall.IFT_EON":                                      "syscall",
-	"syscall.IFT_EPLRS":                                    "syscall",
-	"syscall.IFT_ESCON":                                    "syscall",
-	"syscall.IFT_ETHER":                                    "syscall",
-	"syscall.IFT_FAITH":                                    "syscall",
-	"syscall.IFT_FAST":                                     "syscall",
-	"syscall.IFT_FASTETHER":                                "syscall",
-	"syscall.IFT_FASTETHERFX":                              "syscall",
-	"syscall.IFT_FDDI":                                     "syscall",
-	"syscall.IFT_FIBRECHANNEL":                             "syscall",
-	"syscall.IFT_FRAMERELAYINTERCONNECT":                   "syscall",
-	"syscall.IFT_FRAMERELAYMPI":                            "syscall",
-	"syscall.IFT_FRDLCIENDPT":                              "syscall",
-	"syscall.IFT_FRELAY":                                   "syscall",
-	"syscall.IFT_FRELAYDCE":                                "syscall",
-	"syscall.IFT_FRF16MFRBUNDLE":                           "syscall",
-	"syscall.IFT_FRFORWARD":                                "syscall",
-	"syscall.IFT_G703AT2MB":                                "syscall",
-	"syscall.IFT_G703AT64K":                                "syscall",
-	"syscall.IFT_GIF":                                      "syscall",
-	"syscall.IFT_GIGABITETHERNET":                          "syscall",
-	"syscall.IFT_GR303IDT":                                 "syscall",
-	"syscall.IFT_GR303RDT":                                 "syscall",
-	"syscall.IFT_H323GATEKEEPER":                           "syscall",
-	"syscall.IFT_H323PROXY":                                "syscall",
-	"syscall.IFT_HDH1822":                                  "syscall",
-	"syscall.IFT_HDLC":                                     "syscall",
-	"syscall.IFT_HDSL2":                                    "syscall",
-	"syscall.IFT_HIPERLAN2":                                "syscall",
-	"syscall.IFT_HIPPI":                                    "syscall",
-	"syscall.IFT_HIPPIINTERFACE":                           "syscall",
-	"syscall.IFT_HOSTPAD":                                  "syscall",
-	"syscall.IFT_HSSI":                                     "syscall",
-	"syscall.IFT_HY":                                       "syscall",
-	"syscall.IFT_IBM370PARCHAN":                            "syscall",
-	"syscall.IFT_IDSL":                                     "syscall",
-	"syscall.IFT_IEEE1394":                                 "syscall",
-	"syscall.IFT_IEEE80211":                                "syscall",
-	"syscall.IFT_IEEE80212":                                "syscall",
-	"syscall.IFT_IEEE8023ADLAG":                            "syscall",
-	"syscall.IFT_IFGSN":                                    "syscall",
-	"syscall.IFT_IMT":                                      "syscall",
-	"syscall.IFT_INFINIBAND":                               "syscall",
-	"syscall.IFT_INTERLEAVE":                               "syscall",
-	"syscall.IFT_IP":                                       "syscall",
-	"syscall.IFT_IPFORWARD":                                "syscall",
-	"syscall.IFT_IPOVERATM":                                "syscall",
-	"syscall.IFT_IPOVERCDLC":                               "syscall",
-	"syscall.IFT_IPOVERCLAW":                               "syscall",
-	"syscall.IFT_IPSWITCH":                                 "syscall",
-	"syscall.IFT_IPXIP":                                    "syscall",
-	"syscall.IFT_ISDN":                                     "syscall",
-	"syscall.IFT_ISDNBASIC":                                "syscall",
-	"syscall.IFT_ISDNPRIMARY":                              "syscall",
-	"syscall.IFT_ISDNS":                                    "syscall",
-	"syscall.IFT_ISDNU":                                    "syscall",
-	"syscall.IFT_ISO88022LLC":                              "syscall",
-	"syscall.IFT_ISO88023":                                 "syscall",
-	"syscall.IFT_ISO88024":                                 "syscall",
-	"syscall.IFT_ISO88025":                                 "syscall",
-	"syscall.IFT_ISO88025CRFPINT":                          "syscall",
-	"syscall.IFT_ISO88025DTR":                              "syscall",
-	"syscall.IFT_ISO88025FIBER":                            "syscall",
-	"syscall.IFT_ISO88026":                                 "syscall",
-	"syscall.IFT_ISUP":                                     "syscall",
-	"syscall.IFT_L2VLAN":                                   "syscall",
-	"syscall.IFT_L3IPVLAN":                                 "syscall",
-	"syscall.IFT_L3IPXVLAN":                                "syscall",
-	"syscall.IFT_LAPB":                                     "syscall",
-	"syscall.IFT_LAPD":                                     "syscall",
-	"syscall.IFT_LAPF":                                     "syscall",
-	"syscall.IFT_LINEGROUP":                                "syscall",
-	"syscall.IFT_LOCALTALK":                                "syscall",
-	"syscall.IFT_LOOP":                                     "syscall",
-	"syscall.IFT_MEDIAMAILOVERIP":                          "syscall",
-	"syscall.IFT_MFSIGLINK":                                "syscall",
-	"syscall.IFT_MIOX25":                                   "syscall",
-	"syscall.IFT_MODEM":                                    "syscall",
-	"syscall.IFT_MPC":                                      "syscall",
-	"syscall.IFT_MPLS":                                     "syscall",
-	"syscall.IFT_MPLSTUNNEL":                               "syscall",
-	"syscall.IFT_MSDSL":                                    "syscall",
-	"syscall.IFT_MVL":                                      "syscall",
-	"syscall.IFT_MYRINET":                                  "syscall",
-	"syscall.IFT_NFAS":                                     "syscall",
-	"syscall.IFT_NSIP":                                     "syscall",
-	"syscall.IFT_OPTICALCHANNEL":                           "syscall",
-	"syscall.IFT_OPTICALTRANSPORT":                         "syscall",
-	"syscall.IFT_OTHER":                                    "syscall",
-	"syscall.IFT_P10":                                      "syscall",
-	"syscall.IFT_P80":                                      "syscall",
-	"syscall.IFT_PARA":                                     "syscall",
-	"syscall.IFT_PDP":                                      "syscall",
-	"syscall.IFT_PFLOG":                                    "syscall",
-	"syscall.IFT_PFLOW":                                    "syscall",
-	"syscall.IFT_PFSYNC":                                   "syscall",
-	"syscall.IFT_PLC":                                      "syscall",
-	"syscall.IFT_PON155":                                   "syscall",
-	"syscall.IFT_PON622":                                   "syscall",
-	"syscall.IFT_POS":                                      "syscall",
-	"syscall.IFT_PPP":                                      "syscall",
-	"syscall.IFT_PPPMULTILINKBUNDLE":                       "syscall",
-	"syscall.IFT_PROPATM":                                  "syscall",
-	"syscall.IFT_PROPBWAP2MP":                              "syscall",
-	"syscall.IFT_PROPCNLS":                                 "syscall",
-	"syscall.IFT_PROPDOCSWIRELESSDOWNSTREAM":               "syscall",
-	"syscall.IFT_PROPDOCSWIRELESSMACLAYER":                 "syscall",
-	"syscall.IFT_PROPDOCSWIRELESSUPSTREAM":                 "syscall",
-	"syscall.IFT_PROPMUX":                                  "syscall",
-	"syscall.IFT_PROPVIRTUAL":                              "syscall",
-	"syscall.IFT_PROPWIRELESSP2P":                          "syscall",
-	"syscall.IFT_PTPSERIAL":                                "syscall",
-	"syscall.IFT_PVC":                                      "syscall",
-	"syscall.IFT_Q2931":                                    "syscall",
-	"syscall.IFT_QLLC":                                     "syscall",
-	"syscall.IFT_RADIOMAC":                                 "syscall",
-	"syscall.IFT_RADSL":                                    "syscall",
-	"syscall.IFT_REACHDSL":                                 "syscall",
-	"syscall.IFT_RFC1483":                                  "syscall",
-	"syscall.IFT_RS232":                                    "syscall",
-	"syscall.IFT_RSRB":                                     "syscall",
-	"syscall.IFT_SDLC":                                     "syscall",
-	"syscall.IFT_SDSL":                                     "syscall",
-	"syscall.IFT_SHDSL":                                    "syscall",
-	"syscall.IFT_SIP":                                      "syscall",
-	"syscall.IFT_SIPSIG":                                   "syscall",
-	"syscall.IFT_SIPTG":                                    "syscall",
-	"syscall.IFT_SLIP":                                     "syscall",
-	"syscall.IFT_SMDSDXI":                                  "syscall",
-	"syscall.IFT_SMDSICIP":                                 "syscall",
-	"syscall.IFT_SONET":                                    "syscall",
-	"syscall.IFT_SONETOVERHEADCHANNEL":                     "syscall",
-	"syscall.IFT_SONETPATH":                                "syscall",
-	"syscall.IFT_SONETVT":                                  "syscall",
-	"syscall.IFT_SRP":                                      "syscall",
-	"syscall.IFT_SS7SIGLINK":                               "syscall",
-	"syscall.IFT_STACKTOSTACK":                             "syscall",
-	"syscall.IFT_STARLAN":                                  "syscall",
-	"syscall.IFT_STF":                                      "syscall",
-	"syscall.IFT_T1":                                       "syscall",
-	"syscall.IFT_TDLC":                                     "syscall",
-	"syscall.IFT_TELINK":                                   "syscall",
-	"syscall.IFT_TERMPAD":                                  "syscall",
-	"syscall.IFT_TR008":                                    "syscall",
-	"syscall.IFT_TRANSPHDLC":                               "syscall",
-	"syscall.IFT_TUNNEL":                                   "syscall",
-	"syscall.IFT_ULTRA":                                    "syscall",
-	"syscall.IFT_USB":                                      "syscall",
-	"syscall.IFT_V11":                                      "syscall",
-	"syscall.IFT_V35":                                      "syscall",
-	"syscall.IFT_V36":                                      "syscall",
-	"syscall.IFT_V37":                                      "syscall",
-	"syscall.IFT_VDSL":                                     "syscall",
-	"syscall.IFT_VIRTUALIPADDRESS":                         "syscall",
-	"syscall.IFT_VIRTUALTG":                                "syscall",
-	"syscall.IFT_VOICEDID":                                 "syscall",
-	"syscall.IFT_VOICEEM":                                  "syscall",
-	"syscall.IFT_VOICEEMFGD":                               "syscall",
-	"syscall.IFT_VOICEENCAP":                               "syscall",
-	"syscall.IFT_VOICEFGDEANA":                             "syscall",
-	"syscall.IFT_VOICEFXO":                                 "syscall",
-	"syscall.IFT_VOICEFXS":                                 "syscall",
-	"syscall.IFT_VOICEOVERATM":                             "syscall",
-	"syscall.IFT_VOICEOVERCABLE":                           "syscall",
-	"syscall.IFT_VOICEOVERFRAMERELAY":                      "syscall",
-	"syscall.IFT_VOICEOVERIP":                              "syscall",
-	"syscall.IFT_X213":                                     "syscall",
-	"syscall.IFT_X25":                                      "syscall",
-	"syscall.IFT_X25DDN":                                   "syscall",
-	"syscall.IFT_X25HUNTGROUP":                             "syscall",
-	"syscall.IFT_X25MLP":                                   "syscall",
-	"syscall.IFT_X25PLE":                                   "syscall",
-	"syscall.IFT_XETHER":                                   "syscall",
-	"syscall.IGNBRK":                                       "syscall",
-	"syscall.IGNCR":                                        "syscall",
-	"syscall.IGNORE":                                       "syscall",
-	"syscall.IGNPAR":                                       "syscall",
-	"syscall.IMAXBEL":                                      "syscall",
-	"syscall.INFINITE":                                     "syscall",
-	"syscall.INLCR":                                        "syscall",
-	"syscall.INPCK":                                        "syscall",
-	"syscall.INVALID_FILE_ATTRIBUTES":                      "syscall",
-	"syscall.IN_ACCESS":                                    "syscall",
-	"syscall.IN_ALL_EVENTS":                                "syscall",
-	"syscall.IN_ATTRIB":                                    "syscall",
-	"syscall.IN_CLASSA_HOST":                               "syscall",
-	"syscall.IN_CLASSA_MAX":                                "syscall",
-	"syscall.IN_CLASSA_NET":                                "syscall",
-	"syscall.IN_CLASSA_NSHIFT":                             "syscall",
-	"syscall.IN_CLASSB_HOST":                               "syscall",
-	"syscall.IN_CLASSB_MAX":                                "syscall",
-	"syscall.IN_CLASSB_NET":                                "syscall",
-	"syscall.IN_CLASSB_NSHIFT":                             "syscall",
-	"syscall.IN_CLASSC_HOST":                               "syscall",
-	"syscall.IN_CLASSC_NET":                                "syscall",
-	"syscall.IN_CLASSC_NSHIFT":                             "syscall",
-	"syscall.IN_CLASSD_HOST":                               "syscall",
-	"syscall.IN_CLASSD_NET":                                "syscall",
-	"syscall.IN_CLASSD_NSHIFT":                             "syscall",
-	"syscall.IN_CLOEXEC":                                   "syscall",
-	"syscall.IN_CLOSE":                                     "syscall",
-	"syscall.IN_CLOSE_NOWRITE":                             "syscall",
-	"syscall.IN_CLOSE_WRITE":                               "syscall",
-	"syscall.IN_CREATE":                                    "syscall",
-	"syscall.IN_DELETE":                                    "syscall",
-	"syscall.IN_DELETE_SELF":                               "syscall",
-	"syscall.IN_DONT_FOLLOW":                               "syscall",
-	"syscall.IN_EXCL_UNLINK":                               "syscall",
-	"syscall.IN_IGNORED":                                   "syscall",
-	"syscall.IN_ISDIR":                                     "syscall",
-	"syscall.IN_LINKLOCALNETNUM":                           "syscall",
-	"syscall.IN_LOOPBACKNET":                               "syscall",
-	"syscall.IN_MASK_ADD":                                  "syscall",
-	"syscall.IN_MODIFY":                                    "syscall",
-	"syscall.IN_MOVE":                                      "syscall",
-	"syscall.IN_MOVED_FROM":                                "syscall",
-	"syscall.IN_MOVED_TO":                                  "syscall",
-	"syscall.IN_MOVE_SELF":                                 "syscall",
-	"syscall.IN_NONBLOCK":                                  "syscall",
-	"syscall.IN_ONESHOT":                                   "syscall",
-	"syscall.IN_ONLYDIR":                                   "syscall",
-	"syscall.IN_OPEN":                                      "syscall",
-	"syscall.IN_Q_OVERFLOW":                                "syscall",
-	"syscall.IN_RFC3021_HOST":                              "syscall",
-	"syscall.IN_RFC3021_MASK":                              "syscall",
-	"syscall.IN_RFC3021_NET":                               "syscall",
-	"syscall.IN_RFC3021_NSHIFT":                            "syscall",
-	"syscall.IN_UNMOUNT":                                   "syscall",
-	"syscall.IOC_IN":                                       "syscall",
-	"syscall.IOC_INOUT":                                    "syscall",
-	"syscall.IOC_OUT":                                      "syscall",
-	"syscall.IOC_VENDOR":                                   "syscall",
-	"syscall.IOC_WS2":                                      "syscall",
-	"syscall.IO_REPARSE_TAG_SYMLINK":                       "syscall",
-	"syscall.IPMreq":                                       "syscall",
-	"syscall.IPMreqn":                                      "syscall",
-	"syscall.IPPROTO_3PC":                                  "syscall",
-	"syscall.IPPROTO_ADFS":                                 "syscall",
-	"syscall.IPPROTO_AH":                                   "syscall",
-	"syscall.IPPROTO_AHIP":                                 "syscall",
-	"syscall.IPPROTO_APES":                                 "syscall",
-	"syscall.IPPROTO_ARGUS":                                "syscall",
-	"syscall.IPPROTO_AX25":                                 "syscall",
-	"syscall.IPPROTO_BHA":                                  "syscall",
-	"syscall.IPPROTO_BLT":                                  "syscall",
-	"syscall.IPPROTO_BRSATMON":                             "syscall",
-	"syscall.IPPROTO_CARP":                                 "syscall",
-	"syscall.IPPROTO_CFTP":                                 "syscall",
-	"syscall.IPPROTO_CHAOS":                                "syscall",
-	"syscall.IPPROTO_CMTP":                                 "syscall",
-	"syscall.IPPROTO_COMP":                                 "syscall",
-	"syscall.IPPROTO_CPHB":                                 "syscall",
-	"syscall.IPPROTO_CPNX":                                 "syscall",
-	"syscall.IPPROTO_DCCP":                                 "syscall",
-	"syscall.IPPROTO_DDP":                                  "syscall",
-	"syscall.IPPROTO_DGP":                                  "syscall",
-	"syscall.IPPROTO_DIVERT":                               "syscall",
-	"syscall.IPPROTO_DIVERT_INIT":                          "syscall",
-	"syscall.IPPROTO_DIVERT_RESP":                          "syscall",
-	"syscall.IPPROTO_DONE":                                 "syscall",
-	"syscall.IPPROTO_DSTOPTS":                              "syscall",
-	"syscall.IPPROTO_EGP":                                  "syscall",
-	"syscall.IPPROTO_EMCON":                                "syscall",
-	"syscall.IPPROTO_ENCAP":                                "syscall",
-	"syscall.IPPROTO_EON":                                  "syscall",
-	"syscall.IPPROTO_ESP":                                  "syscall",
-	"syscall.IPPROTO_ETHERIP":                              "syscall",
-	"syscall.IPPROTO_FRAGMENT":                             "syscall",
-	"syscall.IPPROTO_GGP":                                  "syscall",
-	"syscall.IPPROTO_GMTP":                                 "syscall",
-	"syscall.IPPROTO_GRE":                                  "syscall",
-	"syscall.IPPROTO_HELLO":                                "syscall",
-	"syscall.IPPROTO_HMP":                                  "syscall",
-	"syscall.IPPROTO_HOPOPTS":                              "syscall",
-	"syscall.IPPROTO_ICMP":                                 "syscall",
-	"syscall.IPPROTO_ICMPV6":                               "syscall",
-	"syscall.IPPROTO_IDP":                                  "syscall",
-	"syscall.IPPROTO_IDPR":                                 "syscall",
-	"syscall.IPPROTO_IDRP":                                 "syscall",
-	"syscall.IPPROTO_IGMP":                                 "syscall",
-	"syscall.IPPROTO_IGP":                                  "syscall",
-	"syscall.IPPROTO_IGRP":                                 "syscall",
-	"syscall.IPPROTO_IL":                                   "syscall",
-	"syscall.IPPROTO_INLSP":                                "syscall",
-	"syscall.IPPROTO_INP":                                  "syscall",
-	"syscall.IPPROTO_IP":                                   "syscall",
-	"syscall.IPPROTO_IPCOMP":                               "syscall",
-	"syscall.IPPROTO_IPCV":                                 "syscall",
-	"syscall.IPPROTO_IPEIP":                                "syscall",
-	"syscall.IPPROTO_IPIP":                                 "syscall",
-	"syscall.IPPROTO_IPPC":                                 "syscall",
-	"syscall.IPPROTO_IPV4":                                 "syscall",
-	"syscall.IPPROTO_IPV6":                                 "syscall",
-	"syscall.IPPROTO_IPV6_ICMP":                            "syscall",
-	"syscall.IPPROTO_IRTP":                                 "syscall",
-	"syscall.IPPROTO_KRYPTOLAN":                            "syscall",
-	"syscall.IPPROTO_LARP":                                 "syscall",
-	"syscall.IPPROTO_LEAF1":                                "syscall",
-	"syscall.IPPROTO_LEAF2":                                "syscall",
-	"syscall.IPPROTO_MAX":                                  "syscall",
-	"syscall.IPPROTO_MAXID":                                "syscall",
-	"syscall.IPPROTO_MEAS":                                 "syscall",
-	"syscall.IPPROTO_MH":                                   "syscall",
-	"syscall.IPPROTO_MHRP":                                 "syscall",
-	"syscall.IPPROTO_MICP":                                 "syscall",
-	"syscall.IPPROTO_MOBILE":                               "syscall",
-	"syscall.IPPROTO_MPLS":                                 "syscall",
-	"syscall.IPPROTO_MTP":                                  "syscall",
-	"syscall.IPPROTO_MUX":                                  "syscall",
-	"syscall.IPPROTO_ND":                                   "syscall",
-	"syscall.IPPROTO_NHRP":                                 "syscall",
-	"syscall.IPPROTO_NONE":                                 "syscall",
-	"syscall.IPPROTO_NSP":                                  "syscall",
-	"syscall.IPPROTO_NVPII":                                "syscall",
-	"syscall.IPPROTO_OLD_DIVERT":                           "syscall",
-	"syscall.IPPROTO_OSPFIGP":                              "syscall",
-	"syscall.IPPROTO_PFSYNC":                               "syscall",
-	"syscall.IPPROTO_PGM":                                  "syscall",
-	"syscall.IPPROTO_PIGP":                                 "syscall",
-	"syscall.IPPROTO_PIM":                                  "syscall",
-	"syscall.IPPROTO_PRM":                                  "syscall",
-	"syscall.IPPROTO_PUP":                                  "syscall",
-	"syscall.IPPROTO_PVP":                                  "syscall",
-	"syscall.IPPROTO_RAW":                                  "syscall",
-	"syscall.IPPROTO_RCCMON":                               "syscall",
-	"syscall.IPPROTO_RDP":                                  "syscall",
-	"syscall.IPPROTO_ROUTING":                              "syscall",
-	"syscall.IPPROTO_RSVP":                                 "syscall",
-	"syscall.IPPROTO_RVD":                                  "syscall",
-	"syscall.IPPROTO_SATEXPAK":                             "syscall",
-	"syscall.IPPROTO_SATMON":                               "syscall",
-	"syscall.IPPROTO_SCCSP":                                "syscall",
-	"syscall.IPPROTO_SCTP":                                 "syscall",
-	"syscall.IPPROTO_SDRP":                                 "syscall",
-	"syscall.IPPROTO_SEND":                                 "syscall",
-	"syscall.IPPROTO_SEP":                                  "syscall",
-	"syscall.IPPROTO_SKIP":                                 "syscall",
-	"syscall.IPPROTO_SPACER":                               "syscall",
-	"syscall.IPPROTO_SRPC":                                 "syscall",
-	"syscall.IPPROTO_ST":                                   "syscall",
-	"syscall.IPPROTO_SVMTP":                                "syscall",
-	"syscall.IPPROTO_SWIPE":                                "syscall",
-	"syscall.IPPROTO_TCF":                                  "syscall",
-	"syscall.IPPROTO_TCP":                                  "syscall",
-	"syscall.IPPROTO_TLSP":                                 "syscall",
-	"syscall.IPPROTO_TP":                                   "syscall",
-	"syscall.IPPROTO_TPXX":                                 "syscall",
-	"syscall.IPPROTO_TRUNK1":                               "syscall",
-	"syscall.IPPROTO_TRUNK2":                               "syscall",
-	"syscall.IPPROTO_TTP":                                  "syscall",
-	"syscall.IPPROTO_UDP":                                  "syscall",
-	"syscall.IPPROTO_UDPLITE":                              "syscall",
-	"syscall.IPPROTO_VINES":                                "syscall",
-	"syscall.IPPROTO_VISA":                                 "syscall",
-	"syscall.IPPROTO_VMTP":                                 "syscall",
-	"syscall.IPPROTO_VRRP":                                 "syscall",
-	"syscall.IPPROTO_WBEXPAK":                              "syscall",
-	"syscall.IPPROTO_WBMON":                                "syscall",
-	"syscall.IPPROTO_WSN":                                  "syscall",
-	"syscall.IPPROTO_XNET":                                 "syscall",
-	"syscall.IPPROTO_XTP":                                  "syscall",
-	"syscall.IPV6_2292DSTOPTS":                             "syscall",
-	"syscall.IPV6_2292HOPLIMIT":                            "syscall",
-	"syscall.IPV6_2292HOPOPTS":                             "syscall",
-	"syscall.IPV6_2292NEXTHOP":                             "syscall",
-	"syscall.IPV6_2292PKTINFO":                             "syscall",
-	"syscall.IPV6_2292PKTOPTIONS":                          "syscall",
-	"syscall.IPV6_2292RTHDR":                               "syscall",
-	"syscall.IPV6_ADDRFORM":                                "syscall",
-	"syscall.IPV6_ADD_MEMBERSHIP":                          "syscall",
-	"syscall.IPV6_AUTHHDR":                                 "syscall",
-	"syscall.IPV6_AUTH_LEVEL":                              "syscall",
-	"syscall.IPV6_AUTOFLOWLABEL":                           "syscall",
-	"syscall.IPV6_BINDANY":                                 "syscall",
-	"syscall.IPV6_BINDV6ONLY":                              "syscall",
-	"syscall.IPV6_BOUND_IF":                                "syscall",
-	"syscall.IPV6_CHECKSUM":                                "syscall",
-	"syscall.IPV6_DEFAULT_MULTICAST_HOPS":                  "syscall",
-	"syscall.IPV6_DEFAULT_MULTICAST_LOOP":                  "syscall",
-	"syscall.IPV6_DEFHLIM":                                 "syscall",
-	"syscall.IPV6_DONTFRAG":                                "syscall",
-	"syscall.IPV6_DROP_MEMBERSHIP":                         "syscall",
-	"syscall.IPV6_DSTOPTS":                                 "syscall",
-	"syscall.IPV6_ESP_NETWORK_LEVEL":                       "syscall",
-	"syscall.IPV6_ESP_TRANS_LEVEL":                         "syscall",
-	"syscall.IPV6_FAITH":                                   "syscall",
-	"syscall.IPV6_FLOWINFO_MASK":                           "syscall",
-	"syscall.IPV6_FLOWLABEL_MASK":                          "syscall",
-	"syscall.IPV6_FRAGTTL":                                 "syscall",
-	"syscall.IPV6_FW_ADD":                                  "syscall",
-	"syscall.IPV6_FW_DEL":                                  "syscall",
-	"syscall.IPV6_FW_FLUSH":                                "syscall",
-	"syscall.IPV6_FW_GET":                                  "syscall",
-	"syscall.IPV6_FW_ZERO":                                 "syscall",
-	"syscall.IPV6_HLIMDEC":                                 "syscall",
-	"syscall.IPV6_HOPLIMIT":                                "syscall",
-	"syscall.IPV6_HOPOPTS":                                 "syscall",
-	"syscall.IPV6_IPCOMP_LEVEL":                            "syscall",
-	"syscall.IPV6_IPSEC_POLICY":                            "syscall",
-	"syscall.IPV6_JOIN_ANYCAST":                            "syscall",
-	"syscall.IPV6_JOIN_GROUP":                              "syscall",
-	"syscall.IPV6_LEAVE_ANYCAST":                           "syscall",
-	"syscall.IPV6_LEAVE_GROUP":                             "syscall",
-	"syscall.IPV6_MAXHLIM":                                 "syscall",
-	"syscall.IPV6_MAXOPTHDR":                               "syscall",
-	"syscall.IPV6_MAXPACKET":                               "syscall",
-	"syscall.IPV6_MAX_GROUP_SRC_FILTER":                    "syscall",
-	"syscall.IPV6_MAX_MEMBERSHIPS":                         "syscall",
-	"syscall.IPV6_MAX_SOCK_SRC_FILTER":                     "syscall",
-	"syscall.IPV6_MIN_MEMBERSHIPS":                         "syscall",
-	"syscall.IPV6_MMTU":                                    "syscall",
-	"syscall.IPV6_MSFILTER":                                "syscall",
-	"syscall.IPV6_MTU":                                     "syscall",
-	"syscall.IPV6_MTU_DISCOVER":                            "syscall",
-	"syscall.IPV6_MULTICAST_HOPS":                          "syscall",
-	"syscall.IPV6_MULTICAST_IF":                            "syscall",
-	"syscall.IPV6_MULTICAST_LOOP":                          "syscall",
-	"syscall.IPV6_NEXTHOP":                                 "syscall",
-	"syscall.IPV6_OPTIONS":                                 "syscall",
-	"syscall.IPV6_PATHMTU":                                 "syscall",
-	"syscall.IPV6_PIPEX":                                   "syscall",
-	"syscall.IPV6_PKTINFO":                                 "syscall",
-	"syscall.IPV6_PMTUDISC_DO":                             "syscall",
-	"syscall.IPV6_PMTUDISC_DONT":                           "syscall",
-	"syscall.IPV6_PMTUDISC_PROBE":                          "syscall",
-	"syscall.IPV6_PMTUDISC_WANT":                           "syscall",
-	"syscall.IPV6_PORTRANGE":                               "syscall",
-	"syscall.IPV6_PORTRANGE_DEFAULT":                       "syscall",
-	"syscall.IPV6_PORTRANGE_HIGH":                          "syscall",
-	"syscall.IPV6_PORTRANGE_LOW":                           "syscall",
-	"syscall.IPV6_PREFER_TEMPADDR":                         "syscall",
-	"syscall.IPV6_RECVDSTOPTS":                             "syscall",
-	"syscall.IPV6_RECVDSTPORT":                             "syscall",
-	"syscall.IPV6_RECVERR":                                 "syscall",
-	"syscall.IPV6_RECVHOPLIMIT":                            "syscall",
-	"syscall.IPV6_RECVHOPOPTS":                             "syscall",
-	"syscall.IPV6_RECVPATHMTU":                             "syscall",
-	"syscall.IPV6_RECVPKTINFO":                             "syscall",
-	"syscall.IPV6_RECVRTHDR":                               "syscall",
-	"syscall.IPV6_RECVTCLASS":                              "syscall",
-	"syscall.IPV6_ROUTER_ALERT":                            "syscall",
-	"syscall.IPV6_RTABLE":                                  "syscall",
-	"syscall.IPV6_RTHDR":                                   "syscall",
-	"syscall.IPV6_RTHDRDSTOPTS":                            "syscall",
-	"syscall.IPV6_RTHDR_LOOSE":                             "syscall",
-	"syscall.IPV6_RTHDR_STRICT":                            "syscall",
-	"syscall.IPV6_RTHDR_TYPE_0":                            "syscall",
-	"syscall.IPV6_RXDSTOPTS":                               "syscall",
-	"syscall.IPV6_RXHOPOPTS":                               "syscall",
-	"syscall.IPV6_SOCKOPT_RESERVED1":                       "syscall",
-	"syscall.IPV6_TCLASS":                                  "syscall",
-	"syscall.IPV6_UNICAST_HOPS":                            "syscall",
-	"syscall.IPV6_USE_MIN_MTU":                             "syscall",
-	"syscall.IPV6_V6ONLY":                                  "syscall",
-	"syscall.IPV6_VERSION":                                 "syscall",
-	"syscall.IPV6_VERSION_MASK":                            "syscall",
-	"syscall.IPV6_XFRM_POLICY":                             "syscall",
-	"syscall.IP_ADD_MEMBERSHIP":                            "syscall",
-	"syscall.IP_ADD_SOURCE_MEMBERSHIP":                     "syscall",
-	"syscall.IP_AUTH_LEVEL":                                "syscall",
-	"syscall.IP_BINDANY":                                   "syscall",
-	"syscall.IP_BLOCK_SOURCE":                              "syscall",
-	"syscall.IP_BOUND_IF":                                  "syscall",
-	"syscall.IP_DEFAULT_MULTICAST_LOOP":                    "syscall",
-	"syscall.IP_DEFAULT_MULTICAST_TTL":                     "syscall",
-	"syscall.IP_DF":                                        "syscall",
-	"syscall.IP_DIVERTFL":                                  "syscall",
-	"syscall.IP_DONTFRAG":                                  "syscall",
-	"syscall.IP_DROP_MEMBERSHIP":                           "syscall",
-	"syscall.IP_DROP_SOURCE_MEMBERSHIP":                    "syscall",
-	"syscall.IP_DUMMYNET3":                                 "syscall",
-	"syscall.IP_DUMMYNET_CONFIGURE":                        "syscall",
-	"syscall.IP_DUMMYNET_DEL":                              "syscall",
-	"syscall.IP_DUMMYNET_FLUSH":                            "syscall",
-	"syscall.IP_DUMMYNET_GET":                              "syscall",
-	"syscall.IP_EF":                                        "syscall",
-	"syscall.IP_ERRORMTU":                                  "syscall",
-	"syscall.IP_ESP_NETWORK_LEVEL":                         "syscall",
-	"syscall.IP_ESP_TRANS_LEVEL":                           "syscall",
-	"syscall.IP_FAITH":                                     "syscall",
-	"syscall.IP_FREEBIND":                                  "syscall",
-	"syscall.IP_FW3":                                       "syscall",
-	"syscall.IP_FW_ADD":                                    "syscall",
-	"syscall.IP_FW_DEL":                                    "syscall",
-	"syscall.IP_FW_FLUSH":                                  "syscall",
-	"syscall.IP_FW_GET":                                    "syscall",
-	"syscall.IP_FW_NAT_CFG":                                "syscall",
-	"syscall.IP_FW_NAT_DEL":                                "syscall",
-	"syscall.IP_FW_NAT_GET_CONFIG":                         "syscall",
-	"syscall.IP_FW_NAT_GET_LOG":                            "syscall",
-	"syscall.IP_FW_RESETLOG":                               "syscall",
-	"syscall.IP_FW_TABLE_ADD":                              "syscall",
-	"syscall.IP_FW_TABLE_DEL":                              "syscall",
-	"syscall.IP_FW_TABLE_FLUSH":                            "syscall",
-	"syscall.IP_FW_TABLE_GETSIZE":                          "syscall",
-	"syscall.IP_FW_TABLE_LIST":                             "syscall",
-	"syscall.IP_FW_ZERO":                                   "syscall",
-	"syscall.IP_HDRINCL":                                   "syscall",
-	"syscall.IP_IPCOMP_LEVEL":                              "syscall",
-	"syscall.IP_IPSECFLOWINFO":                             "syscall",
-	"syscall.IP_IPSEC_LOCAL_AUTH":                          "syscall",
-	"syscall.IP_IPSEC_LOCAL_CRED":                          "syscall",
-	"syscall.IP_IPSEC_LOCAL_ID":                            "syscall",
-	"syscall.IP_IPSEC_POLICY":                              "syscall",
-	"syscall.IP_IPSEC_REMOTE_AUTH":                         "syscall",
-	"syscall.IP_IPSEC_REMOTE_CRED":                         "syscall",
-	"syscall.IP_IPSEC_REMOTE_ID":                           "syscall",
-	"syscall.IP_MAXPACKET":                                 "syscall",
-	"syscall.IP_MAX_GROUP_SRC_FILTER":                      "syscall",
-	"syscall.IP_MAX_MEMBERSHIPS":                           "syscall",
-	"syscall.IP_MAX_SOCK_MUTE_FILTER":                      "syscall",
-	"syscall.IP_MAX_SOCK_SRC_FILTER":                       "syscall",
-	"syscall.IP_MAX_SOURCE_FILTER":                         "syscall",
-	"syscall.IP_MF":                                        "syscall",
-	"syscall.IP_MINFRAGSIZE":                               "syscall",
-	"syscall.IP_MINTTL":                                    "syscall",
-	"syscall.IP_MIN_MEMBERSHIPS":                           "syscall",
-	"syscall.IP_MSFILTER":                                  "syscall",
-	"syscall.IP_MSS":                                       "syscall",
-	"syscall.IP_MTU":                                       "syscall",
-	"syscall.IP_MTU_DISCOVER":                              "syscall",
-	"syscall.IP_MULTICAST_IF":                              "syscall",
-	"syscall.IP_MULTICAST_IFINDEX":                         "syscall",
-	"syscall.IP_MULTICAST_LOOP":                            "syscall",
-	"syscall.IP_MULTICAST_TTL":                             "syscall",
-	"syscall.IP_MULTICAST_VIF":                             "syscall",
-	"syscall.IP_NAT__XXX":                                  "syscall",
-	"syscall.IP_OFFMASK":                                   "syscall",
-	"syscall.IP_OLD_FW_ADD":                                "syscall",
-	"syscall.IP_OLD_FW_DEL":                                "syscall",
-	"syscall.IP_OLD_FW_FLUSH":                              "syscall",
-	"syscall.IP_OLD_FW_GET":                                "syscall",
-	"syscall.IP_OLD_FW_RESETLOG":                           "syscall",
-	"syscall.IP_OLD_FW_ZERO":                               "syscall",
-	"syscall.IP_ONESBCAST":                                 "syscall",
-	"syscall.IP_OPTIONS":                                   "syscall",
-	"syscall.IP_ORIGDSTADDR":                               "syscall",
-	"syscall.IP_PASSSEC":                                   "syscall",
-	"syscall.IP_PIPEX":                                     "syscall",
-	"syscall.IP_PKTINFO":                                   "syscall",
-	"syscall.IP_PKTOPTIONS":                                "syscall",
-	"syscall.IP_PMTUDISC":                                  "syscall",
-	"syscall.IP_PMTUDISC_DO":                               "syscall",
-	"syscall.IP_PMTUDISC_DONT":                             "syscall",
-	"syscall.IP_PMTUDISC_PROBE":                            "syscall",
-	"syscall.IP_PMTUDISC_WANT":                             "syscall",
-	"syscall.IP_PORTRANGE":                                 "syscall",
-	"syscall.IP_PORTRANGE_DEFAULT":                         "syscall",
-	"syscall.IP_PORTRANGE_HIGH":                            "syscall",
-	"syscall.IP_PORTRANGE_LOW":                             "syscall",
-	"syscall.IP_RECVDSTADDR":                               "syscall",
-	"syscall.IP_RECVDSTPORT":                               "syscall",
-	"syscall.IP_RECVERR":                                   "syscall",
-	"syscall.IP_RECVIF":                                    "syscall",
-	"syscall.IP_RECVOPTS":                                  "syscall",
-	"syscall.IP_RECVORIGDSTADDR":                           "syscall",
-	"syscall.IP_RECVPKTINFO":                               "syscall",
-	"syscall.IP_RECVRETOPTS":                               "syscall",
-	"syscall.IP_RECVRTABLE":                                "syscall",
-	"syscall.IP_RECVTOS":                                   "syscall",
-	"syscall.IP_RECVTTL":                                   "syscall",
-	"syscall.IP_RETOPTS":                                   "syscall",
-	"syscall.IP_RF":                                        "syscall",
-	"syscall.IP_ROUTER_ALERT":                              "syscall",
-	"syscall.IP_RSVP_OFF":                                  "syscall",
-	"syscall.IP_RSVP_ON":                                   "syscall",
-	"syscall.IP_RSVP_VIF_OFF":                              "syscall",
-	"syscall.IP_RSVP_VIF_ON":                               "syscall",
-	"syscall.IP_RTABLE":                                    "syscall",
-	"syscall.IP_SENDSRCADDR":                               "syscall",
-	"syscall.IP_STRIPHDR":                                  "syscall",
-	"syscall.IP_TOS":                                       "syscall",
-	"syscall.IP_TRAFFIC_MGT_BACKGROUND":                    "syscall",
-	"syscall.IP_TRANSPARENT":                               "syscall",
-	"syscall.IP_TTL":                                       "syscall",
-	"syscall.IP_UNBLOCK_SOURCE":                            "syscall",
-	"syscall.IP_XFRM_POLICY":                               "syscall",
-	"syscall.IPv6MTUInfo":                                  "syscall",
-	"syscall.IPv6Mreq":                                     "syscall",
-	"syscall.ISIG":                                         "syscall",
-	"syscall.ISTRIP":                                       "syscall",
-	"syscall.IUCLC":                                        "syscall",
-	"syscall.IUTF8":                                        "syscall",
-	"syscall.IXANY":                                        "syscall",
-	"syscall.IXOFF":                                        "syscall",
-	"syscall.IXON":                                         "syscall",
-	"syscall.IfAddrmsg":                                    "syscall",
-	"syscall.IfAnnounceMsghdr":                             "syscall",
-	"syscall.IfData":                                       "syscall",
-	"syscall.IfInfomsg":                                    "syscall",
-	"syscall.IfMsghdr":                                     "syscall",
-	"syscall.IfaMsghdr":                                    "syscall",
-	"syscall.IfmaMsghdr":                                   "syscall",
-	"syscall.IfmaMsghdr2":                                  "syscall",
-	"syscall.ImplementsGetwd":                              "syscall",
-	"syscall.Inet4Pktinfo":                                 "syscall",
-	"syscall.Inet6Pktinfo":                                 "syscall",
-	"syscall.InotifyAddWatch":                              "syscall",
-	"syscall.InotifyEvent":                                 "syscall",
-	"syscall.InotifyInit":                                  "syscall",
-	"syscall.InotifyInit1":                                 "syscall",
-	"syscall.InotifyRmWatch":                               "syscall",
-	"syscall.InterfaceAddrMessage":                         "syscall",
-	"syscall.InterfaceAnnounceMessage":                     "syscall",
-	"syscall.InterfaceInfo":                                "syscall",
-	"syscall.InterfaceMessage":                             "syscall",
-	"syscall.InterfaceMulticastAddrMessage":                "syscall",
-	"syscall.InvalidHandle":                                "syscall",
-	"syscall.Ioperm":                                       "syscall",
-	"syscall.Iopl":                                         "syscall",
-	"syscall.Iovec":                                        "syscall",
-	"syscall.IpAdapterInfo":                                "syscall",
-	"syscall.IpAddrString":                                 "syscall",
-	"syscall.IpAddressString":                              "syscall",
-	"syscall.IpMaskString":                                 "syscall",
-	"syscall.Issetugid":                                    "syscall",
-	"syscall.KEY_ALL_ACCESS":                               "syscall",
-	"syscall.KEY_CREATE_LINK":                              "syscall",
-	"syscall.KEY_CREATE_SUB_KEY":                           "syscall",
-	"syscall.KEY_ENUMERATE_SUB_KEYS":                       "syscall",
-	"syscall.KEY_EXECUTE":                                  "syscall",
-	"syscall.KEY_NOTIFY":                                   "syscall",
-	"syscall.KEY_QUERY_VALUE":                              "syscall",
-	"syscall.KEY_READ":                                     "syscall",
-	"syscall.KEY_SET_VALUE":                                "syscall",
-	"syscall.KEY_WOW64_32KEY":                              "syscall",
-	"syscall.KEY_WOW64_64KEY":                              "syscall",
-	"syscall.KEY_WRITE":                                    "syscall",
-	"syscall.Kevent":                                       "syscall",
-	"syscall.Kevent_t":                                     "syscall",
-	"syscall.Kill":                                         "syscall",
-	"syscall.Klogctl":                                      "syscall",
-	"syscall.Kqueue":                                       "syscall",
-	"syscall.LANG_ENGLISH":                                 "syscall",
-	"syscall.LAYERED_PROTOCOL":                             "syscall",
-	"syscall.LCNT_OVERLOAD_FLUSH":                          "syscall",
-	"syscall.LINUX_REBOOT_CMD_CAD_OFF":                     "syscall",
-	"syscall.LINUX_REBOOT_CMD_CAD_ON":                      "syscall",
-	"syscall.LINUX_REBOOT_CMD_HALT":                        "syscall",
-	"syscall.LINUX_REBOOT_CMD_KEXEC":                       "syscall",
-	"syscall.LINUX_REBOOT_CMD_POWER_OFF":                   "syscall",
-	"syscall.LINUX_REBOOT_CMD_RESTART":                     "syscall",
-	"syscall.LINUX_REBOOT_CMD_RESTART2":                    "syscall",
-	"syscall.LINUX_REBOOT_CMD_SW_SUSPEND":                  "syscall",
-	"syscall.LINUX_REBOOT_MAGIC1":                          "syscall",
-	"syscall.LINUX_REBOOT_MAGIC2":                          "syscall",
-	"syscall.LOCK_EX":                                      "syscall",
-	"syscall.LOCK_NB":                                      "syscall",
-	"syscall.LOCK_SH":                                      "syscall",
-	"syscall.LOCK_UN":                                      "syscall",
-	"syscall.LazyDLL":                                      "syscall",
-	"syscall.LazyProc":                                     "syscall",
-	"syscall.Lchown":                                       "syscall",
-	"syscall.Linger":                                       "syscall",
-	"syscall.Link":                                         "syscall",
-	"syscall.Listen":                                       "syscall",
-	"syscall.Listxattr":                                    "syscall",
-	"syscall.LoadCancelIoEx":                               "syscall",
-	"syscall.LoadConnectEx":                                "syscall",
-	"syscall.LoadCreateSymbolicLink":                       "syscall",
-	"syscall.LoadDLL":                                      "syscall",
-	"syscall.LoadGetAddrInfo":                              "syscall",
-	"syscall.LoadLibrary":                                  "syscall",
-	"syscall.LoadSetFileCompletionNotificationModes":       "syscall",
-	"syscall.LocalFree":                                    "syscall",
-	"syscall.Log2phys_t":                                   "syscall",
-	"syscall.LookupAccountName":                            "syscall",
-	"syscall.LookupAccountSid":                             "syscall",
-	"syscall.LookupSID":                                    "syscall",
-	"syscall.LsfJump":                                      "syscall",
-	"syscall.LsfSocket":                                    "syscall",
-	"syscall.LsfStmt":                                      "syscall",
-	"syscall.Lstat":                                        "syscall",
-	"syscall.MADV_AUTOSYNC":                                "syscall",
-	"syscall.MADV_CAN_REUSE":                               "syscall",
-	"syscall.MADV_CORE":                                    "syscall",
-	"syscall.MADV_DOFORK":                                  "syscall",
-	"syscall.MADV_DONTFORK":                                "syscall",
-	"syscall.MADV_DONTNEED":                                "syscall",
-	"syscall.MADV_FREE":                                    "syscall",
-	"syscall.MADV_FREE_REUSABLE":                           "syscall",
-	"syscall.MADV_FREE_REUSE":                              "syscall",
-	"syscall.MADV_HUGEPAGE":                                "syscall",
-	"syscall.MADV_HWPOISON":                                "syscall",
-	"syscall.MADV_MERGEABLE":                               "syscall",
-	"syscall.MADV_NOCORE":                                  "syscall",
-	"syscall.MADV_NOHUGEPAGE":                              "syscall",
-	"syscall.MADV_NORMAL":                                  "syscall",
-	"syscall.MADV_NOSYNC":                                  "syscall",
-	"syscall.MADV_PROTECT":                                 "syscall",
-	"syscall.MADV_RANDOM":                                  "syscall",
-	"syscall.MADV_REMOVE":                                  "syscall",
-	"syscall.MADV_SEQUENTIAL":                              "syscall",
-	"syscall.MADV_SPACEAVAIL":                              "syscall",
-	"syscall.MADV_UNMERGEABLE":                             "syscall",
-	"syscall.MADV_WILLNEED":                                "syscall",
-	"syscall.MADV_ZERO_WIRED_PAGES":                        "syscall",
-	"syscall.MAP_32BIT":                                    "syscall",
-	"syscall.MAP_ALIGNED_SUPER":                            "syscall",
-	"syscall.MAP_ALIGNMENT_16MB":                           "syscall",
-	"syscall.MAP_ALIGNMENT_1TB":                            "syscall",
-	"syscall.MAP_ALIGNMENT_256TB":                          "syscall",
-	"syscall.MAP_ALIGNMENT_4GB":                            "syscall",
-	"syscall.MAP_ALIGNMENT_64KB":                           "syscall",
-	"syscall.MAP_ALIGNMENT_64PB":                           "syscall",
-	"syscall.MAP_ALIGNMENT_MASK":                           "syscall",
-	"syscall.MAP_ALIGNMENT_SHIFT":                          "syscall",
-	"syscall.MAP_ANON":                                     "syscall",
-	"syscall.MAP_ANONYMOUS":                                "syscall",
-	"syscall.MAP_COPY":                                     "syscall",
-	"syscall.MAP_DENYWRITE":                                "syscall",
-	"syscall.MAP_EXECUTABLE":                               "syscall",
-	"syscall.MAP_FILE":                                     "syscall",
-	"syscall.MAP_FIXED":                                    "syscall",
-	"syscall.MAP_FLAGMASK":                                 "syscall",
-	"syscall.MAP_GROWSDOWN":                                "syscall",
-	"syscall.MAP_HASSEMAPHORE":                             "syscall",
-	"syscall.MAP_HUGETLB":                                  "syscall",
-	"syscall.MAP_INHERIT":                                  "syscall",
-	"syscall.MAP_INHERIT_COPY":                             "syscall",
-	"syscall.MAP_INHERIT_DEFAULT":                          "syscall",
-	"syscall.MAP_INHERIT_DONATE_COPY":                      "syscall",
-	"syscall.MAP_INHERIT_NONE":                             "syscall",
-	"syscall.MAP_INHERIT_SHARE":                            "syscall",
-	"syscall.MAP_JIT":                                      "syscall",
-	"syscall.MAP_LOCKED":                                   "syscall",
-	"syscall.MAP_NOCACHE":                                  "syscall",
-	"syscall.MAP_NOCORE":                                   "syscall",
-	"syscall.MAP_NOEXTEND":                                 "syscall",
-	"syscall.MAP_NONBLOCK":                                 "syscall",
-	"syscall.MAP_NORESERVE":                                "syscall",
-	"syscall.MAP_NOSYNC":                                   "syscall",
-	"syscall.MAP_POPULATE":                                 "syscall",
-	"syscall.MAP_PREFAULT_READ":                            "syscall",
-	"syscall.MAP_PRIVATE":                                  "syscall",
-	"syscall.MAP_RENAME":                                   "syscall",
-	"syscall.MAP_RESERVED0080":                             "syscall",
-	"syscall.MAP_RESERVED0100":                             "syscall",
-	"syscall.MAP_SHARED":                                   "syscall",
-	"syscall.MAP_STACK":                                    "syscall",
-	"syscall.MAP_TRYFIXED":                                 "syscall",
-	"syscall.MAP_TYPE":                                     "syscall",
-	"syscall.MAP_WIRED":                                    "syscall",
-	"syscall.MAXIMUM_REPARSE_DATA_BUFFER_SIZE":             "syscall",
-	"syscall.MAXLEN_IFDESCR":                               "syscall",
-	"syscall.MAXLEN_PHYSADDR":                              "syscall",
-	"syscall.MAX_ADAPTER_ADDRESS_LENGTH":                   "syscall",
-	"syscall.MAX_ADAPTER_DESCRIPTION_LENGTH":               "syscall",
-	"syscall.MAX_ADAPTER_NAME_LENGTH":                      "syscall",
-	"syscall.MAX_COMPUTERNAME_LENGTH":                      "syscall",
-	"syscall.MAX_INTERFACE_NAME_LEN":                       "syscall",
-	"syscall.MAX_LONG_PATH":                                "syscall",
-	"syscall.MAX_PATH":                                     "syscall",
-	"syscall.MAX_PROTOCOL_CHAIN":                           "syscall",
-	"syscall.MCL_CURRENT":                                  "syscall",
-	"syscall.MCL_FUTURE":                                   "syscall",
-	"syscall.MNT_DETACH":                                   "syscall",
-	"syscall.MNT_EXPIRE":                                   "syscall",
-	"syscall.MNT_FORCE":                                    "syscall",
-	"syscall.MSG_BCAST":                                    "syscall",
-	"syscall.MSG_CMSG_CLOEXEC":                             "syscall",
-	"syscall.MSG_COMPAT":                                   "syscall",
-	"syscall.MSG_CONFIRM":                                  "syscall",
-	"syscall.MSG_CONTROLMBUF":                              "syscall",
-	"syscall.MSG_CTRUNC":                                   "syscall",
-	"syscall.MSG_DONTROUTE":                                "syscall",
-	"syscall.MSG_DONTWAIT":                                 "syscall",
-	"syscall.MSG_EOF":                                      "syscall",
-	"syscall.MSG_EOR":                                      "syscall",
-	"syscall.MSG_ERRQUEUE":                                 "syscall",
-	"syscall.MSG_FASTOPEN":                                 "syscall",
-	"syscall.MSG_FIN":                                      "syscall",
-	"syscall.MSG_FLUSH":                                    "syscall",
-	"syscall.MSG_HAVEMORE":                                 "syscall",
-	"syscall.MSG_HOLD":                                     "syscall",
-	"syscall.MSG_IOVUSRSPACE":                              "syscall",
-	"syscall.MSG_LENUSRSPACE":                              "syscall",
-	"syscall.MSG_MCAST":                                    "syscall",
-	"syscall.MSG_MORE":                                     "syscall",
-	"syscall.MSG_NAMEMBUF":                                 "syscall",
-	"syscall.MSG_NBIO":                                     "syscall",
-	"syscall.MSG_NEEDSA":                                   "syscall",
-	"syscall.MSG_NOSIGNAL":                                 "syscall",
-	"syscall.MSG_NOTIFICATION":                             "syscall",
-	"syscall.MSG_OOB":                                      "syscall",
-	"syscall.MSG_PEEK":                                     "syscall",
-	"syscall.MSG_PROXY":                                    "syscall",
-	"syscall.MSG_RCVMORE":                                  "syscall",
-	"syscall.MSG_RST":                                      "syscall",
-	"syscall.MSG_SEND":                                     "syscall",
-	"syscall.MSG_SYN":                                      "syscall",
-	"syscall.MSG_TRUNC":                                    "syscall",
-	"syscall.MSG_TRYHARD":                                  "syscall",
-	"syscall.MSG_USERFLAGS":                                "syscall",
-	"syscall.MSG_WAITALL":                                  "syscall",
-	"syscall.MSG_WAITFORONE":                               "syscall",
-	"syscall.MSG_WAITSTREAM":                               "syscall",
-	"syscall.MS_ACTIVE":                                    "syscall",
-	"syscall.MS_ASYNC":                                     "syscall",
-	"syscall.MS_BIND":                                      "syscall",
-	"syscall.MS_DEACTIVATE":                                "syscall",
-	"syscall.MS_DIRSYNC":                                   "syscall",
-	"syscall.MS_INVALIDATE":                                "syscall",
-	"syscall.MS_I_VERSION":                                 "syscall",
-	"syscall.MS_KERNMOUNT":                                 "syscall",
-	"syscall.MS_KILLPAGES":                                 "syscall",
-	"syscall.MS_MANDLOCK":                                  "syscall",
-	"syscall.MS_MGC_MSK":                                   "syscall",
-	"syscall.MS_MGC_VAL":                                   "syscall",
-	"syscall.MS_MOVE":                                      "syscall",
-	"syscall.MS_NOATIME":                                   "syscall",
-	"syscall.MS_NODEV":                                     "syscall",
-	"syscall.MS_NODIRATIME":                                "syscall",
-	"syscall.MS_NOEXEC":                                    "syscall",
-	"syscall.MS_NOSUID":                                    "syscall",
-	"syscall.MS_NOUSER":                                    "syscall",
-	"syscall.MS_POSIXACL":                                  "syscall",
-	"syscall.MS_PRIVATE":                                   "syscall",
-	"syscall.MS_RDONLY":                                    "syscall",
-	"syscall.MS_REC":                                       "syscall",
-	"syscall.MS_RELATIME":                                  "syscall",
-	"syscall.MS_REMOUNT":                                   "syscall",
-	"syscall.MS_RMT_MASK":                                  "syscall",
-	"syscall.MS_SHARED":                                    "syscall",
-	"syscall.MS_SILENT":                                    "syscall",
-	"syscall.MS_SLAVE":                                     "syscall",
-	"syscall.MS_STRICTATIME":                               "syscall",
-	"syscall.MS_SYNC":                                      "syscall",
-	"syscall.MS_SYNCHRONOUS":                               "syscall",
-	"syscall.MS_UNBINDABLE":                                "syscall",
-	"syscall.Madvise":                                      "syscall",
-	"syscall.MapViewOfFile":                                "syscall",
-	"syscall.MaxTokenInfoClass":                            "syscall",
-	"syscall.Mclpool":                                      "syscall",
-	"syscall.MibIfRow":                                     "syscall",
-	"syscall.Mkdir":                                        "syscall",
-	"syscall.Mkdirat":                                      "syscall",
-	"syscall.Mkfifo":                                       "syscall",
-	"syscall.Mknod":                                        "syscall",
-	"syscall.Mknodat":                                      "syscall",
-	"syscall.Mlock":                                        "syscall",
-	"syscall.Mlockall":                                     "syscall",
-	"syscall.Mmap":                                         "syscall",
-	"syscall.Mount":                                        "syscall",
-	"syscall.MoveFile":                                     "syscall",
-	"syscall.Mprotect":                                     "syscall",
-	"syscall.Msghdr":                                       "syscall",
-	"syscall.Munlock":                                      "syscall",
-	"syscall.Munlockall":                                   "syscall",
-	"syscall.Munmap":                                       "syscall",
-	"syscall.MustLoadDLL":                                  "syscall",
-	"syscall.NAME_MAX":                                     "syscall",
-	"syscall.NETLINK_ADD_MEMBERSHIP":                       "syscall",
-	"syscall.NETLINK_AUDIT":                                "syscall",
-	"syscall.NETLINK_BROADCAST_ERROR":                      "syscall",
-	"syscall.NETLINK_CONNECTOR":                            "syscall",
-	"syscall.NETLINK_DNRTMSG":                              "syscall",
-	"syscall.NETLINK_DROP_MEMBERSHIP":                      "syscall",
-	"syscall.NETLINK_ECRYPTFS":                             "syscall",
-	"syscall.NETLINK_FIB_LOOKUP":                           "syscall",
-	"syscall.NETLINK_FIREWALL":                             "syscall",
-	"syscall.NETLINK_GENERIC":                              "syscall",
-	"syscall.NETLINK_INET_DIAG":                            "syscall",
-	"syscall.NETLINK_IP6_FW":                               "syscall",
-	"syscall.NETLINK_ISCSI":                                "syscall",
-	"syscall.NETLINK_KOBJECT_UEVENT":                       "syscall",
-	"syscall.NETLINK_NETFILTER":                            "syscall",
-	"syscall.NETLINK_NFLOG":                                "syscall",
-	"syscall.NETLINK_NO_ENOBUFS":                           "syscall",
-	"syscall.NETLINK_PKTINFO":                              "syscall",
-	"syscall.NETLINK_RDMA":                                 "syscall",
-	"syscall.NETLINK_ROUTE":                                "syscall",
-	"syscall.NETLINK_SCSITRANSPORT":                        "syscall",
-	"syscall.NETLINK_SELINUX":                              "syscall",
-	"syscall.NETLINK_UNUSED":                               "syscall",
-	"syscall.NETLINK_USERSOCK":                             "syscall",
-	"syscall.NETLINK_XFRM":                                 "syscall",
-	"syscall.NET_RT_DUMP":                                  "syscall",
-	"syscall.NET_RT_DUMP2":                                 "syscall",
-	"syscall.NET_RT_FLAGS":                                 "syscall",
-	"syscall.NET_RT_IFLIST":                                "syscall",
-	"syscall.NET_RT_IFLIST2":                               "syscall",
-	"syscall.NET_RT_IFLISTL":                               "syscall",
-	"syscall.NET_RT_IFMALIST":                              "syscall",
-	"syscall.NET_RT_MAXID":                                 "syscall",
-	"syscall.NET_RT_OIFLIST":                               "syscall",
-	"syscall.NET_RT_OOIFLIST":                              "syscall",
-	"syscall.NET_RT_STAT":                                  "syscall",
-	"syscall.NET_RT_STATS":                                 "syscall",
-	"syscall.NET_RT_TABLE":                                 "syscall",
-	"syscall.NET_RT_TRASH":                                 "syscall",
-	"syscall.NLA_ALIGNTO":                                  "syscall",
-	"syscall.NLA_F_NESTED":                                 "syscall",
-	"syscall.NLA_F_NET_BYTEORDER":                          "syscall",
-	"syscall.NLA_HDRLEN":                                   "syscall",
-	"syscall.NLMSG_ALIGNTO":                                "syscall",
-	"syscall.NLMSG_DONE":                                   "syscall",
-	"syscall.NLMSG_ERROR":                                  "syscall",
-	"syscall.NLMSG_HDRLEN":                                 "syscall",
-	"syscall.NLMSG_MIN_TYPE":                               "syscall",
-	"syscall.NLMSG_NOOP":                                   "syscall",
-	"syscall.NLMSG_OVERRUN":                                "syscall",
-	"syscall.NLM_F_ACK":                                    "syscall",
-	"syscall.NLM_F_APPEND":                                 "syscall",
-	"syscall.NLM_F_ATOMIC":                                 "syscall",
-	"syscall.NLM_F_CREATE":                                 "syscall",
-	"syscall.NLM_F_DUMP":                                   "syscall",
-	"syscall.NLM_F_ECHO":                                   "syscall",
-	"syscall.NLM_F_EXCL":                                   "syscall",
-	"syscall.NLM_F_MATCH":                                  "syscall",
-	"syscall.NLM_F_MULTI":                                  "syscall",
-	"syscall.NLM_F_REPLACE":                                "syscall",
-	"syscall.NLM_F_REQUEST":                                "syscall",
-	"syscall.NLM_F_ROOT":                                   "syscall",
-	"syscall.NOFLSH":                                       "syscall",
-	"syscall.NOTE_ABSOLUTE":                                "syscall",
-	"syscall.NOTE_ATTRIB":                                  "syscall",
-	"syscall.NOTE_CHILD":                                   "syscall",
-	"syscall.NOTE_DELETE":                                  "syscall",
-	"syscall.NOTE_EOF":                                     "syscall",
-	"syscall.NOTE_EXEC":                                    "syscall",
-	"syscall.NOTE_EXIT":                                    "syscall",
-	"syscall.NOTE_EXITSTATUS":                              "syscall",
-	"syscall.NOTE_EXTEND":                                  "syscall",
-	"syscall.NOTE_FFAND":                                   "syscall",
-	"syscall.NOTE_FFCOPY":                                  "syscall",
-	"syscall.NOTE_FFCTRLMASK":                              "syscall",
-	"syscall.NOTE_FFLAGSMASK":                              "syscall",
-	"syscall.NOTE_FFNOP":                                   "syscall",
-	"syscall.NOTE_FFOR":                                    "syscall",
-	"syscall.NOTE_FORK":                                    "syscall",
-	"syscall.NOTE_LINK":                                    "syscall",
-	"syscall.NOTE_LOWAT":                                   "syscall",
-	"syscall.NOTE_NONE":                                    "syscall",
-	"syscall.NOTE_NSECONDS":                                "syscall",
-	"syscall.NOTE_PCTRLMASK":                               "syscall",
-	"syscall.NOTE_PDATAMASK":                               "syscall",
-	"syscall.NOTE_REAP":                                    "syscall",
-	"syscall.NOTE_RENAME":                                  "syscall",
-	"syscall.NOTE_RESOURCEEND":                             "syscall",
-	"syscall.NOTE_REVOKE":                                  "syscall",
-	"syscall.NOTE_SECONDS":                                 "syscall",
-	"syscall.NOTE_SIGNAL":                                  "syscall",
-	"syscall.NOTE_TRACK":                                   "syscall",
-	"syscall.NOTE_TRACKERR":                                "syscall",
-	"syscall.NOTE_TRIGGER":                                 "syscall",
-	"syscall.NOTE_TRUNCATE":                                "syscall",
-	"syscall.NOTE_USECONDS":                                "syscall",
-	"syscall.NOTE_VM_ERROR":                                "syscall",
-	"syscall.NOTE_VM_PRESSURE":                             "syscall",
-	"syscall.NOTE_VM_PRESSURE_SUDDEN_TERMINATE":            "syscall",
-	"syscall.NOTE_VM_PRESSURE_TERMINATE":                   "syscall",
-	"syscall.NOTE_WRITE":                                   "syscall",
-	"syscall.NameCanonical":                                "syscall",
-	"syscall.NameCanonicalEx":                              "syscall",
-	"syscall.NameDisplay":                                  "syscall",
-	"syscall.NameDnsDomain":                                "syscall",
-	"syscall.NameFullyQualifiedDN":                         "syscall",
-	"syscall.NameSamCompatible":                            "syscall",
-	"syscall.NameServicePrincipal":                         "syscall",
-	"syscall.NameUniqueId":                                 "syscall",
-	"syscall.NameUnknown":                                  "syscall",
-	"syscall.NameUserPrincipal":                            "syscall",
-	"syscall.Nanosleep":                                    "syscall",
-	"syscall.NetApiBufferFree":                             "syscall",
-	"syscall.NetGetJoinInformation":                        "syscall",
-	"syscall.NetSetupDomainName":                           "syscall",
-	"syscall.NetSetupUnjoined":                             "syscall",
-	"syscall.NetSetupUnknownStatus":                        "syscall",
-	"syscall.NetSetupWorkgroupName":                        "syscall",
-	"syscall.NetUserGetInfo":                               "syscall",
-	"syscall.NetlinkMessage":                               "syscall",
-	"syscall.NetlinkRIB":                                   "syscall",
-	"syscall.NetlinkRouteAttr":                             "syscall",
-	"syscall.NetlinkRouteRequest":                          "syscall",
-	"syscall.NewCallback":                                  "syscall",
-	"syscall.NewCallbackCDecl":                             "syscall",
-	"syscall.NewLazyDLL":                                   "syscall",
-	"syscall.NlAttr":                                       "syscall",
-	"syscall.NlMsgerr":                                     "syscall",
-	"syscall.NlMsghdr":                                     "syscall",
-	"syscall.NsecToFiletime":                               "syscall",
-	"syscall.NsecToTimespec":                               "syscall",
-	"syscall.NsecToTimeval":                                "syscall",
-	"syscall.Ntohs":                                        "syscall",
-	"syscall.OCRNL":                                        "syscall",
-	"syscall.OFDEL":                                        "syscall",
-	"syscall.OFILL":                                        "syscall",
-	"syscall.OFIOGETBMAP":                                  "syscall",
-	"syscall.OID_PKIX_KP_SERVER_AUTH":                      "syscall",
-	"syscall.OID_SERVER_GATED_CRYPTO":                      "syscall",
-	"syscall.OID_SGC_NETSCAPE":                             "syscall",
-	"syscall.OLCUC":                                        "syscall",
-	"syscall.ONLCR":                                        "syscall",
-	"syscall.ONLRET":                                       "syscall",
-	"syscall.ONOCR":                                        "syscall",
-	"syscall.ONOEOT":                                       "syscall",
-	"syscall.OPEN_ALWAYS":                                  "syscall",
-	"syscall.OPEN_EXISTING":                                "syscall",
-	"syscall.OPOST":                                        "syscall",
-	"syscall.O_ACCMODE":                                    "syscall",
-	"syscall.O_ALERT":                                      "syscall",
-	"syscall.O_ALT_IO":                                     "syscall",
-	"syscall.O_APPEND":                                     "syscall",
-	"syscall.O_ASYNC":                                      "syscall",
-	"syscall.O_CLOEXEC":                                    "syscall",
-	"syscall.O_CREAT":                                      "syscall",
-	"syscall.O_DIRECT":                                     "syscall",
-	"syscall.O_DIRECTORY":                                  "syscall",
-	"syscall.O_DSYNC":                                      "syscall",
-	"syscall.O_EVTONLY":                                    "syscall",
-	"syscall.O_EXCL":                                       "syscall",
-	"syscall.O_EXEC":                                       "syscall",
-	"syscall.O_EXLOCK":                                     "syscall",
-	"syscall.O_FSYNC":                                      "syscall",
-	"syscall.O_LARGEFILE":                                  "syscall",
-	"syscall.O_NDELAY":                                     "syscall",
-	"syscall.O_NOATIME":                                    "syscall",
-	"syscall.O_NOCTTY":                                     "syscall",
-	"syscall.O_NOFOLLOW":                                   "syscall",
-	"syscall.O_NONBLOCK":                                   "syscall",
-	"syscall.O_NOSIGPIPE":                                  "syscall",
-	"syscall.O_POPUP":                                      "syscall",
-	"syscall.O_RDONLY":                                     "syscall",
-	"syscall.O_RDWR":                                       "syscall",
-	"syscall.O_RSYNC":                                      "syscall",
-	"syscall.O_SHLOCK":                                     "syscall",
-	"syscall.O_SYMLINK":                                    "syscall",
-	"syscall.O_SYNC":                                       "syscall",
-	"syscall.O_TRUNC":                                      "syscall",
-	"syscall.O_TTY_INIT":                                   "syscall",
-	"syscall.O_WRONLY":                                     "syscall",
-	"syscall.Open":                                         "syscall",
-	"syscall.OpenCurrentProcessToken":                      "syscall",
-	"syscall.OpenProcess":                                  "syscall",
-	"syscall.OpenProcessToken":                             "syscall",
-	"syscall.Openat":                                       "syscall",
-	"syscall.Overlapped":                                   "syscall",
-	"syscall.PACKET_ADD_MEMBERSHIP":                        "syscall",
-	"syscall.PACKET_BROADCAST":                             "syscall",
-	"syscall.PACKET_DROP_MEMBERSHIP":                       "syscall",
-	"syscall.PACKET_FASTROUTE":                             "syscall",
-	"syscall.PACKET_HOST":                                  "syscall",
-	"syscall.PACKET_LOOPBACK":                              "syscall",
-	"syscall.PACKET_MR_ALLMULTI":                           "syscall",
-	"syscall.PACKET_MR_MULTICAST":                          "syscall",
-	"syscall.PACKET_MR_PROMISC":                            "syscall",
-	"syscall.PACKET_MULTICAST":                             "syscall",
-	"syscall.PACKET_OTHERHOST":                             "syscall",
-	"syscall.PACKET_OUTGOING":                              "syscall",
-	"syscall.PACKET_RECV_OUTPUT":                           "syscall",
-	"syscall.PACKET_RX_RING":                               "syscall",
-	"syscall.PACKET_STATISTICS":                            "syscall",
-	"syscall.PAGE_EXECUTE_READ":                            "syscall",
-	"syscall.PAGE_EXECUTE_READWRITE":                       "syscall",
-	"syscall.PAGE_EXECUTE_WRITECOPY":                       "syscall",
-	"syscall.PAGE_READONLY":                                "syscall",
-	"syscall.PAGE_READWRITE":                               "syscall",
-	"syscall.PAGE_WRITECOPY":                               "syscall",
-	"syscall.PARENB":                                       "syscall",
-	"syscall.PARMRK":                                       "syscall",
-	"syscall.PARODD":                                       "syscall",
-	"syscall.PENDIN":                                       "syscall",
-	"syscall.PFL_HIDDEN":                                   "syscall",
-	"syscall.PFL_MATCHES_PROTOCOL_ZERO":                    "syscall",
-	"syscall.PFL_MULTIPLE_PROTO_ENTRIES":                   "syscall",
-	"syscall.PFL_NETWORKDIRECT_PROVIDER":                   "syscall",
-	"syscall.PFL_RECOMMENDED_PROTO_ENTRY":                  "syscall",
-	"syscall.PF_FLUSH":                                     "syscall",
-	"syscall.PKCS_7_ASN_ENCODING":                          "syscall",
-	"syscall.PMC5_PIPELINE_FLUSH":                          "syscall",
-	"syscall.PRIO_PGRP":                                    "syscall",
-	"syscall.PRIO_PROCESS":                                 "syscall",
-	"syscall.PRIO_USER":                                    "syscall",
-	"syscall.PRI_IOFLUSH":                                  "syscall",
-	"syscall.PROCESS_QUERY_INFORMATION":                    "syscall",
-	"syscall.PROCESS_TERMINATE":                            "syscall",
-	"syscall.PROT_EXEC":                                    "syscall",
-	"syscall.PROT_GROWSDOWN":                               "syscall",
-	"syscall.PROT_GROWSUP":                                 "syscall",
-	"syscall.PROT_NONE":                                    "syscall",
-	"syscall.PROT_READ":                                    "syscall",
-	"syscall.PROT_WRITE":                                   "syscall",
-	"syscall.PROV_DH_SCHANNEL":                             "syscall",
-	"syscall.PROV_DSS":                                     "syscall",
-	"syscall.PROV_DSS_DH":                                  "syscall",
-	"syscall.PROV_EC_ECDSA_FULL":                           "syscall",
-	"syscall.PROV_EC_ECDSA_SIG":                            "syscall",
-	"syscall.PROV_EC_ECNRA_FULL":                           "syscall",
-	"syscall.PROV_EC_ECNRA_SIG":                            "syscall",
-	"syscall.PROV_FORTEZZA":                                "syscall",
-	"syscall.PROV_INTEL_SEC":                               "syscall",
-	"syscall.PROV_MS_EXCHANGE":                             "syscall",
-	"syscall.PROV_REPLACE_OWF":                             "syscall",
-	"syscall.PROV_RNG":                                     "syscall",
-	"syscall.PROV_RSA_AES":                                 "syscall",
-	"syscall.PROV_RSA_FULL":                                "syscall",
-	"syscall.PROV_RSA_SCHANNEL":                            "syscall",
-	"syscall.PROV_RSA_SIG":                                 "syscall",
-	"syscall.PROV_SPYRUS_LYNKS":                            "syscall",
-	"syscall.PROV_SSL":                                     "syscall",
-	"syscall.PR_CAPBSET_DROP":                              "syscall",
-	"syscall.PR_CAPBSET_READ":                              "syscall",
-	"syscall.PR_CLEAR_SECCOMP_FILTER":                      "syscall",
-	"syscall.PR_ENDIAN_BIG":                                "syscall",
-	"syscall.PR_ENDIAN_LITTLE":                             "syscall",
-	"syscall.PR_ENDIAN_PPC_LITTLE":                         "syscall",
-	"syscall.PR_FPEMU_NOPRINT":                             "syscall",
-	"syscall.PR_FPEMU_SIGFPE":                              "syscall",
-	"syscall.PR_FP_EXC_ASYNC":                              "syscall",
-	"syscall.PR_FP_EXC_DISABLED":                           "syscall",
-	"syscall.PR_FP_EXC_DIV":                                "syscall",
-	"syscall.PR_FP_EXC_INV":                                "syscall",
-	"syscall.PR_FP_EXC_NONRECOV":                           "syscall",
-	"syscall.PR_FP_EXC_OVF":                                "syscall",
-	"syscall.PR_FP_EXC_PRECISE":                            "syscall",
-	"syscall.PR_FP_EXC_RES":                                "syscall",
-	"syscall.PR_FP_EXC_SW_ENABLE":                          "syscall",
-	"syscall.PR_FP_EXC_UND":                                "syscall",
-	"syscall.PR_GET_DUMPABLE":                              "syscall",
-	"syscall.PR_GET_ENDIAN":                                "syscall",
-	"syscall.PR_GET_FPEMU":                                 "syscall",
-	"syscall.PR_GET_FPEXC":                                 "syscall",
-	"syscall.PR_GET_KEEPCAPS":                              "syscall",
-	"syscall.PR_GET_NAME":                                  "syscall",
-	"syscall.PR_GET_PDEATHSIG":                             "syscall",
-	"syscall.PR_GET_SECCOMP":                               "syscall",
-	"syscall.PR_GET_SECCOMP_FILTER":                        "syscall",
-	"syscall.PR_GET_SECUREBITS":                            "syscall",
-	"syscall.PR_GET_TIMERSLACK":                            "syscall",
-	"syscall.PR_GET_TIMING":                                "syscall",
-	"syscall.PR_GET_TSC":                                   "syscall",
-	"syscall.PR_GET_UNALIGN":                               "syscall",
-	"syscall.PR_MCE_KILL":                                  "syscall",
-	"syscall.PR_MCE_KILL_CLEAR":                            "syscall",
-	"syscall.PR_MCE_KILL_DEFAULT":                          "syscall",
-	"syscall.PR_MCE_KILL_EARLY":                            "syscall",
-	"syscall.PR_MCE_KILL_GET":                              "syscall",
-	"syscall.PR_MCE_KILL_LATE":                             "syscall",
-	"syscall.PR_MCE_KILL_SET":                              "syscall",
-	"syscall.PR_SECCOMP_FILTER_EVENT":                      "syscall",
-	"syscall.PR_SECCOMP_FILTER_SYSCALL":                    "syscall",
-	"syscall.PR_SET_DUMPABLE":                              "syscall",
-	"syscall.PR_SET_ENDIAN":                                "syscall",
-	"syscall.PR_SET_FPEMU":                                 "syscall",
-	"syscall.PR_SET_FPEXC":                                 "syscall",
-	"syscall.PR_SET_KEEPCAPS":                              "syscall",
-	"syscall.PR_SET_NAME":                                  "syscall",
-	"syscall.PR_SET_PDEATHSIG":                             "syscall",
-	"syscall.PR_SET_PTRACER":                               "syscall",
-	"syscall.PR_SET_SECCOMP":                               "syscall",
-	"syscall.PR_SET_SECCOMP_FILTER":                        "syscall",
-	"syscall.PR_SET_SECUREBITS":                            "syscall",
-	"syscall.PR_SET_TIMERSLACK":                            "syscall",
-	"syscall.PR_SET_TIMING":                                "syscall",
-	"syscall.PR_SET_TSC":                                   "syscall",
-	"syscall.PR_SET_UNALIGN":                               "syscall",
-	"syscall.PR_TASK_PERF_EVENTS_DISABLE":                  "syscall",
-	"syscall.PR_TASK_PERF_EVENTS_ENABLE":                   "syscall",
-	"syscall.PR_TIMING_STATISTICAL":                        "syscall",
-	"syscall.PR_TIMING_TIMESTAMP":                          "syscall",
-	"syscall.PR_TSC_ENABLE":                                "syscall",
-	"syscall.PR_TSC_SIGSEGV":                               "syscall",
-	"syscall.PR_UNALIGN_NOPRINT":                           "syscall",
-	"syscall.PR_UNALIGN_SIGBUS":                            "syscall",
-	"syscall.PTRACE_ARCH_PRCTL":                            "syscall",
-	"syscall.PTRACE_ATTACH":                                "syscall",
-	"syscall.PTRACE_CONT":                                  "syscall",
-	"syscall.PTRACE_DETACH":                                "syscall",
-	"syscall.PTRACE_EVENT_CLONE":                           "syscall",
-	"syscall.PTRACE_EVENT_EXEC":                            "syscall",
-	"syscall.PTRACE_EVENT_EXIT":                            "syscall",
-	"syscall.PTRACE_EVENT_FORK":                            "syscall",
-	"syscall.PTRACE_EVENT_VFORK":                           "syscall",
-	"syscall.PTRACE_EVENT_VFORK_DONE":                      "syscall",
-	"syscall.PTRACE_GETCRUNCHREGS":                         "syscall",
-	"syscall.PTRACE_GETEVENTMSG":                           "syscall",
-	"syscall.PTRACE_GETFPREGS":                             "syscall",
-	"syscall.PTRACE_GETFPXREGS":                            "syscall",
-	"syscall.PTRACE_GETHBPREGS":                            "syscall",
-	"syscall.PTRACE_GETREGS":                               "syscall",
-	"syscall.PTRACE_GETREGSET":                             "syscall",
-	"syscall.PTRACE_GETSIGINFO":                            "syscall",
-	"syscall.PTRACE_GETVFPREGS":                            "syscall",
-	"syscall.PTRACE_GETWMMXREGS":                           "syscall",
-	"syscall.PTRACE_GET_THREAD_AREA":                       "syscall",
-	"syscall.PTRACE_KILL":                                  "syscall",
-	"syscall.PTRACE_OLDSETOPTIONS":                         "syscall",
-	"syscall.PTRACE_O_MASK":                                "syscall",
-	"syscall.PTRACE_O_TRACECLONE":                          "syscall",
-	"syscall.PTRACE_O_TRACEEXEC":                           "syscall",
-	"syscall.PTRACE_O_TRACEEXIT":                           "syscall",
-	"syscall.PTRACE_O_TRACEFORK":                           "syscall",
-	"syscall.PTRACE_O_TRACESYSGOOD":                        "syscall",
-	"syscall.PTRACE_O_TRACEVFORK":                          "syscall",
-	"syscall.PTRACE_O_TRACEVFORKDONE":                      "syscall",
-	"syscall.PTRACE_PEEKDATA":                              "syscall",
-	"syscall.PTRACE_PEEKTEXT":                              "syscall",
-	"syscall.PTRACE_PEEKUSR":                               "syscall",
-	"syscall.PTRACE_POKEDATA":                              "syscall",
-	"syscall.PTRACE_POKETEXT":                              "syscall",
-	"syscall.PTRACE_POKEUSR":                               "syscall",
-	"syscall.PTRACE_SETCRUNCHREGS":                         "syscall",
-	"syscall.PTRACE_SETFPREGS":                             "syscall",
-	"syscall.PTRACE_SETFPXREGS":                            "syscall",
-	"syscall.PTRACE_SETHBPREGS":                            "syscall",
-	"syscall.PTRACE_SETOPTIONS":                            "syscall",
-	"syscall.PTRACE_SETREGS":                               "syscall",
-	"syscall.PTRACE_SETREGSET":                             "syscall",
-	"syscall.PTRACE_SETSIGINFO":                            "syscall",
-	"syscall.PTRACE_SETVFPREGS":                            "syscall",
-	"syscall.PTRACE_SETWMMXREGS":                           "syscall",
-	"syscall.PTRACE_SET_SYSCALL":                           "syscall",
-	"syscall.PTRACE_SET_THREAD_AREA":                       "syscall",
-	"syscall.PTRACE_SINGLEBLOCK":                           "syscall",
-	"syscall.PTRACE_SINGLESTEP":                            "syscall",
-	"syscall.PTRACE_SYSCALL":                               "syscall",
-	"syscall.PTRACE_SYSEMU":                                "syscall",
-	"syscall.PTRACE_SYSEMU_SINGLESTEP":                     "syscall",
-	"syscall.PTRACE_TRACEME":                               "syscall",
-	"syscall.PT_ATTACH":                                    "syscall",
-	"syscall.PT_ATTACHEXC":                                 "syscall",
-	"syscall.PT_CONTINUE":                                  "syscall",
-	"syscall.PT_DATA_ADDR":                                 "syscall",
-	"syscall.PT_DENY_ATTACH":                               "syscall",
-	"syscall.PT_DETACH":                                    "syscall",
-	"syscall.PT_FIRSTMACH":                                 "syscall",
-	"syscall.PT_FORCEQUOTA":                                "syscall",
-	"syscall.PT_KILL":                                      "syscall",
-	"syscall.PT_MASK":                                      "syscall",
-	"syscall.PT_READ_D":                                    "syscall",
-	"syscall.PT_READ_I":                                    "syscall",
-	"syscall.PT_READ_U":                                    "syscall",
-	"syscall.PT_SIGEXC":                                    "syscall",
-	"syscall.PT_STEP":                                      "syscall",
-	"syscall.PT_TEXT_ADDR":                                 "syscall",
-	"syscall.PT_TEXT_END_ADDR":                             "syscall",
-	"syscall.PT_THUPDATE":                                  "syscall",
-	"syscall.PT_TRACE_ME":                                  "syscall",
-	"syscall.PT_WRITE_D":                                   "syscall",
-	"syscall.PT_WRITE_I":                                   "syscall",
-	"syscall.PT_WRITE_U":                                   "syscall",
-	"syscall.ParseDirent":                                  "syscall",
-	"syscall.ParseNetlinkMessage":                          "syscall",
-	"syscall.ParseNetlinkRouteAttr":                        "syscall",
-	"syscall.ParseRoutingMessage":                          "syscall",
-	"syscall.ParseRoutingSockaddr":                         "syscall",
-	"syscall.ParseSocketControlMessage":                    "syscall",
-	"syscall.ParseUnixCredentials":                         "syscall",
-	"syscall.ParseUnixRights":                              "syscall",
-	"syscall.PathMax":                                      "syscall",
-	"syscall.Pathconf":                                     "syscall",
-	"syscall.Pause":                                        "syscall",
-	"syscall.Pipe":                                         "syscall",
-	"syscall.Pipe2":                                        "syscall",
-	"syscall.PivotRoot":                                    "syscall",
-	"syscall.PostQueuedCompletionStatus":                   "syscall",
-	"syscall.Pread":                                        "syscall",
-	"syscall.Proc":                                         "syscall",
-	"syscall.ProcAttr":                                     "syscall",
-	"syscall.Process32First":                               "syscall",
-	"syscall.Process32Next":                                "syscall",
-	"syscall.ProcessEntry32":                               "syscall",
-	"syscall.ProcessInformation":                           "syscall",
-	"syscall.Protoent":                                     "syscall",
-	"syscall.PtraceAttach":                                 "syscall",
-	"syscall.PtraceCont":                                   "syscall",
-	"syscall.PtraceDetach":                                 "syscall",
-	"syscall.PtraceGetEventMsg":                            "syscall",
-	"syscall.PtraceGetRegs":                                "syscall",
-	"syscall.PtracePeekData":                               "syscall",
-	"syscall.PtracePeekText":                               "syscall",
-	"syscall.PtracePokeData":                               "syscall",
-	"syscall.PtracePokeText":                               "syscall",
-	"syscall.PtraceRegs":                                   "syscall",
-	"syscall.PtraceSetOptions":                             "syscall",
-	"syscall.PtraceSetRegs":                                "syscall",
-	"syscall.PtraceSingleStep":                             "syscall",
-	"syscall.PtraceSyscall":                                "syscall",
-	"syscall.Pwrite":                                       "syscall",
-	"syscall.REG_BINARY":                                   "syscall",
-	"syscall.REG_DWORD":                                    "syscall",
-	"syscall.REG_DWORD_BIG_ENDIAN":                         "syscall",
-	"syscall.REG_DWORD_LITTLE_ENDIAN":                      "syscall",
-	"syscall.REG_EXPAND_SZ":                                "syscall",
-	"syscall.REG_FULL_RESOURCE_DESCRIPTOR":                 "syscall",
-	"syscall.REG_LINK":                                     "syscall",
-	"syscall.REG_MULTI_SZ":                                 "syscall",
-	"syscall.REG_NONE":                                     "syscall",
-	"syscall.REG_QWORD":                                    "syscall",
-	"syscall.REG_QWORD_LITTLE_ENDIAN":                      "syscall",
-	"syscall.REG_RESOURCE_LIST":                            "syscall",
-	"syscall.REG_RESOURCE_REQUIREMENTS_LIST":               "syscall",
-	"syscall.REG_SZ":                                       "syscall",
-	"syscall.RLIMIT_AS":                                    "syscall",
-	"syscall.RLIMIT_CORE":                                  "syscall",
-	"syscall.RLIMIT_CPU":                                   "syscall",
-	"syscall.RLIMIT_DATA":                                  "syscall",
-	"syscall.RLIMIT_FSIZE":                                 "syscall",
-	"syscall.RLIMIT_NOFILE":                                "syscall",
-	"syscall.RLIMIT_STACK":                                 "syscall",
-	"syscall.RLIM_INFINITY":                                "syscall",
-	"syscall.RTAX_ADVMSS":                                  "syscall",
-	"syscall.RTAX_AUTHOR":                                  "syscall",
-	"syscall.RTAX_BRD":                                     "syscall",
-	"syscall.RTAX_CWND":                                    "syscall",
-	"syscall.RTAX_DST":                                     "syscall",
-	"syscall.RTAX_FEATURES":                                "syscall",
-	"syscall.RTAX_FEATURE_ALLFRAG":                         "syscall",
-	"syscall.RTAX_FEATURE_ECN":                             "syscall",
-	"syscall.RTAX_FEATURE_SACK":                            "syscall",
-	"syscall.RTAX_FEATURE_TIMESTAMP":                       "syscall",
-	"syscall.RTAX_GATEWAY":                                 "syscall",
-	"syscall.RTAX_GENMASK":                                 "syscall",
-	"syscall.RTAX_HOPLIMIT":                                "syscall",
-	"syscall.RTAX_IFA":                                     "syscall",
-	"syscall.RTAX_IFP":                                     "syscall",
-	"syscall.RTAX_INITCWND":                                "syscall",
-	"syscall.RTAX_INITRWND":                                "syscall",
-	"syscall.RTAX_LABEL":                                   "syscall",
-	"syscall.RTAX_LOCK":                                    "syscall",
-	"syscall.RTAX_MAX":                                     "syscall",
-	"syscall.RTAX_MTU":                                     "syscall",
-	"syscall.RTAX_NETMASK":                                 "syscall",
-	"syscall.RTAX_REORDERING":                              "syscall",
-	"syscall.RTAX_RTO_MIN":                                 "syscall",
-	"syscall.RTAX_RTT":                                     "syscall",
-	"syscall.RTAX_RTTVAR":                                  "syscall",
-	"syscall.RTAX_SRC":                                     "syscall",
-	"syscall.RTAX_SRCMASK":                                 "syscall",
-	"syscall.RTAX_SSTHRESH":                                "syscall",
-	"syscall.RTAX_TAG":                                     "syscall",
-	"syscall.RTAX_UNSPEC":                                  "syscall",
-	"syscall.RTAX_WINDOW":                                  "syscall",
-	"syscall.RTA_ALIGNTO":                                  "syscall",
-	"syscall.RTA_AUTHOR":                                   "syscall",
-	"syscall.RTA_BRD":                                      "syscall",
-	"syscall.RTA_CACHEINFO":                                "syscall",
-	"syscall.RTA_DST":                                      "syscall",
-	"syscall.RTA_FLOW":                                     "syscall",
-	"syscall.RTA_GATEWAY":                                  "syscall",
-	"syscall.RTA_GENMASK":                                  "syscall",
-	"syscall.RTA_IFA":                                      "syscall",
-	"syscall.RTA_IFP":                                      "syscall",
-	"syscall.RTA_IIF":                                      "syscall",
-	"syscall.RTA_LABEL":                                    "syscall",
-	"syscall.RTA_MAX":                                      "syscall",
-	"syscall.RTA_METRICS":                                  "syscall",
-	"syscall.RTA_MULTIPATH":                                "syscall",
-	"syscall.RTA_NETMASK":                                  "syscall",
-	"syscall.RTA_OIF":                                      "syscall",
-	"syscall.RTA_PREFSRC":                                  "syscall",
-	"syscall.RTA_PRIORITY":                                 "syscall",
-	"syscall.RTA_SRC":                                      "syscall",
-	"syscall.RTA_SRCMASK":                                  "syscall",
-	"syscall.RTA_TABLE":                                    "syscall",
-	"syscall.RTA_TAG":                                      "syscall",
-	"syscall.RTA_UNSPEC":                                   "syscall",
-	"syscall.RTCF_DIRECTSRC":                               "syscall",
-	"syscall.RTCF_DOREDIRECT":                              "syscall",
-	"syscall.RTCF_LOG":                                     "syscall",
-	"syscall.RTCF_MASQ":                                    "syscall",
-	"syscall.RTCF_NAT":                                     "syscall",
-	"syscall.RTCF_VALVE":                                   "syscall",
-	"syscall.RTF_ADDRCLASSMASK":                            "syscall",
-	"syscall.RTF_ADDRCONF":                                 "syscall",
-	"syscall.RTF_ALLONLINK":                                "syscall",
-	"syscall.RTF_ANNOUNCE":                                 "syscall",
-	"syscall.RTF_BLACKHOLE":                                "syscall",
-	"syscall.RTF_BROADCAST":                                "syscall",
-	"syscall.RTF_CACHE":                                    "syscall",
-	"syscall.RTF_CLONED":                                   "syscall",
-	"syscall.RTF_CLONING":                                  "syscall",
-	"syscall.RTF_CONDEMNED":                                "syscall",
-	"syscall.RTF_DEFAULT":                                  "syscall",
-	"syscall.RTF_DELCLONE":                                 "syscall",
-	"syscall.RTF_DONE":                                     "syscall",
-	"syscall.RTF_DYNAMIC":                                  "syscall",
-	"syscall.RTF_FLOW":                                     "syscall",
-	"syscall.RTF_FMASK":                                    "syscall",
-	"syscall.RTF_GATEWAY":                                  "syscall",
-	"syscall.RTF_GWFLAG_COMPAT":                            "syscall",
-	"syscall.RTF_HOST":                                     "syscall",
-	"syscall.RTF_IFREF":                                    "syscall",
-	"syscall.RTF_IFSCOPE":                                  "syscall",
-	"syscall.RTF_INTERFACE":                                "syscall",
-	"syscall.RTF_IRTT":                                     "syscall",
-	"syscall.RTF_LINKRT":                                   "syscall",
-	"syscall.RTF_LLDATA":                                   "syscall",
-	"syscall.RTF_LLINFO":                                   "syscall",
-	"syscall.RTF_LOCAL":                                    "syscall",
-	"syscall.RTF_MASK":                                     "syscall",
-	"syscall.RTF_MODIFIED":                                 "syscall",
-	"syscall.RTF_MPATH":                                    "syscall",
-	"syscall.RTF_MPLS":                                     "syscall",
-	"syscall.RTF_MSS":                                      "syscall",
-	"syscall.RTF_MTU":                                      "syscall",
-	"syscall.RTF_MULTICAST":                                "syscall",
-	"syscall.RTF_NAT":                                      "syscall",
-	"syscall.RTF_NOFORWARD":                                "syscall",
-	"syscall.RTF_NONEXTHOP":                                "syscall",
-	"syscall.RTF_NOPMTUDISC":                               "syscall",
-	"syscall.RTF_PERMANENT_ARP":                            "syscall",
-	"syscall.RTF_PINNED":                                   "syscall",
-	"syscall.RTF_POLICY":                                   "syscall",
-	"syscall.RTF_PRCLONING":                                "syscall",
-	"syscall.RTF_PROTO1":                                   "syscall",
-	"syscall.RTF_PROTO2":                                   "syscall",
-	"syscall.RTF_PROTO3":                                   "syscall",
-	"syscall.RTF_REINSTATE":                                "syscall",
-	"syscall.RTF_REJECT":                                   "syscall",
-	"syscall.RTF_RNH_LOCKED":                               "syscall",
-	"syscall.RTF_SOURCE":                                   "syscall",
-	"syscall.RTF_SRC":                                      "syscall",
-	"syscall.RTF_STATIC":                                   "syscall",
-	"syscall.RTF_STICKY":                                   "syscall",
-	"syscall.RTF_THROW":                                    "syscall",
-	"syscall.RTF_TUNNEL":                                   "syscall",
-	"syscall.RTF_UP":                                       "syscall",
-	"syscall.RTF_USETRAILERS":                              "syscall",
-	"syscall.RTF_WASCLONED":                                "syscall",
-	"syscall.RTF_WINDOW":                                   "syscall",
-	"syscall.RTF_XRESOLVE":                                 "syscall",
-	"syscall.RTM_ADD":                                      "syscall",
-	"syscall.RTM_BASE":                                     "syscall",
-	"syscall.RTM_CHANGE":                                   "syscall",
-	"syscall.RTM_CHGADDR":                                  "syscall",
-	"syscall.RTM_DELACTION":                                "syscall",
-	"syscall.RTM_DELADDR":                                  "syscall",
-	"syscall.RTM_DELADDRLABEL":                             "syscall",
-	"syscall.RTM_DELETE":                                   "syscall",
-	"syscall.RTM_DELLINK":                                  "syscall",
-	"syscall.RTM_DELMADDR":                                 "syscall",
-	"syscall.RTM_DELNEIGH":                                 "syscall",
-	"syscall.RTM_DELQDISC":                                 "syscall",
-	"syscall.RTM_DELROUTE":                                 "syscall",
-	"syscall.RTM_DELRULE":                                  "syscall",
-	"syscall.RTM_DELTCLASS":                                "syscall",
-	"syscall.RTM_DELTFILTER":                               "syscall",
-	"syscall.RTM_DESYNC":                                   "syscall",
-	"syscall.RTM_F_CLONED":                                 "syscall",
-	"syscall.RTM_F_EQUALIZE":                               "syscall",
-	"syscall.RTM_F_NOTIFY":                                 "syscall",
-	"syscall.RTM_F_PREFIX":                                 "syscall",
-	"syscall.RTM_GET":                                      "syscall",
-	"syscall.RTM_GET2":                                     "syscall",
-	"syscall.RTM_GETACTION":                                "syscall",
-	"syscall.RTM_GETADDR":                                  "syscall",
-	"syscall.RTM_GETADDRLABEL":                             "syscall",
-	"syscall.RTM_GETANYCAST":                               "syscall",
-	"syscall.RTM_GETDCB":                                   "syscall",
-	"syscall.RTM_GETLINK":                                  "syscall",
-	"syscall.RTM_GETMULTICAST":                             "syscall",
-	"syscall.RTM_GETNEIGH":                                 "syscall",
-	"syscall.RTM_GETNEIGHTBL":                              "syscall",
-	"syscall.RTM_GETQDISC":                                 "syscall",
-	"syscall.RTM_GETROUTE":                                 "syscall",
-	"syscall.RTM_GETRULE":                                  "syscall",
-	"syscall.RTM_GETTCLASS":                                "syscall",
-	"syscall.RTM_GETTFILTER":                               "syscall",
-	"syscall.RTM_IEEE80211":                                "syscall",
-	"syscall.RTM_IFANNOUNCE":                               "syscall",
-	"syscall.RTM_IFINFO":                                   "syscall",
-	"syscall.RTM_IFINFO2":                                  "syscall",
-	"syscall.RTM_LLINFO_UPD":                               "syscall",
-	"syscall.RTM_LOCK":                                     "syscall",
-	"syscall.RTM_LOSING":                                   "syscall",
-	"syscall.RTM_MAX":                                      "syscall",
-	"syscall.RTM_MAXSIZE":                                  "syscall",
-	"syscall.RTM_MISS":                                     "syscall",
-	"syscall.RTM_NEWACTION":                                "syscall",
-	"syscall.RTM_NEWADDR":                                  "syscall",
-	"syscall.RTM_NEWADDRLABEL":                             "syscall",
-	"syscall.RTM_NEWLINK":                                  "syscall",
-	"syscall.RTM_NEWMADDR":                                 "syscall",
-	"syscall.RTM_NEWMADDR2":                                "syscall",
-	"syscall.RTM_NEWNDUSEROPT":                             "syscall",
-	"syscall.RTM_NEWNEIGH":                                 "syscall",
-	"syscall.RTM_NEWNEIGHTBL":                              "syscall",
-	"syscall.RTM_NEWPREFIX":                                "syscall",
-	"syscall.RTM_NEWQDISC":                                 "syscall",
-	"syscall.RTM_NEWROUTE":                                 "syscall",
-	"syscall.RTM_NEWRULE":                                  "syscall",
-	"syscall.RTM_NEWTCLASS":                                "syscall",
-	"syscall.RTM_NEWTFILTER":                               "syscall",
-	"syscall.RTM_NR_FAMILIES":                              "syscall",
-	"syscall.RTM_NR_MSGTYPES":                              "syscall",
-	"syscall.RTM_OIFINFO":                                  "syscall",
-	"syscall.RTM_OLDADD":                                   "syscall",
-	"syscall.RTM_OLDDEL":                                   "syscall",
-	"syscall.RTM_OOIFINFO":                                 "syscall",
-	"syscall.RTM_REDIRECT":                                 "syscall",
-	"syscall.RTM_RESOLVE":                                  "syscall",
-	"syscall.RTM_RTTUNIT":                                  "syscall",
-	"syscall.RTM_SETDCB":                                   "syscall",
-	"syscall.RTM_SETGATE":                                  "syscall",
-	"syscall.RTM_SETLINK":                                  "syscall",
-	"syscall.RTM_SETNEIGHTBL":                              "syscall",
-	"syscall.RTM_VERSION":                                  "syscall",
-	"syscall.RTNH_ALIGNTO":                                 "syscall",
-	"syscall.RTNH_F_DEAD":                                  "syscall",
-	"syscall.RTNH_F_ONLINK":                                "syscall",
-	"syscall.RTNH_F_PERVASIVE":                             "syscall",
-	"syscall.RTNLGRP_IPV4_IFADDR":                          "syscall",
-	"syscall.RTNLGRP_IPV4_MROUTE":                          "syscall",
-	"syscall.RTNLGRP_IPV4_ROUTE":                           "syscall",
-	"syscall.RTNLGRP_IPV4_RULE":                            "syscall",
-	"syscall.RTNLGRP_IPV6_IFADDR":                          "syscall",
-	"syscall.RTNLGRP_IPV6_IFINFO":                          "syscall",
-	"syscall.RTNLGRP_IPV6_MROUTE":                          "syscall",
-	"syscall.RTNLGRP_IPV6_PREFIX":                          "syscall",
-	"syscall.RTNLGRP_IPV6_ROUTE":                           "syscall",
-	"syscall.RTNLGRP_IPV6_RULE":                            "syscall",
-	"syscall.RTNLGRP_LINK":                                 "syscall",
-	"syscall.RTNLGRP_ND_USEROPT":                           "syscall",
-	"syscall.RTNLGRP_NEIGH":                                "syscall",
-	"syscall.RTNLGRP_NONE":                                 "syscall",
-	"syscall.RTNLGRP_NOTIFY":                               "syscall",
-	"syscall.RTNLGRP_TC":                                   "syscall",
-	"syscall.RTN_ANYCAST":                                  "syscall",
-	"syscall.RTN_BLACKHOLE":                                "syscall",
-	"syscall.RTN_BROADCAST":                                "syscall",
-	"syscall.RTN_LOCAL":                                    "syscall",
-	"syscall.RTN_MAX":                                      "syscall",
-	"syscall.RTN_MULTICAST":                                "syscall",
-	"syscall.RTN_NAT":                                      "syscall",
-	"syscall.RTN_PROHIBIT":                                 "syscall",
-	"syscall.RTN_THROW":                                    "syscall",
-	"syscall.RTN_UNICAST":                                  "syscall",
-	"syscall.RTN_UNREACHABLE":                              "syscall",
-	"syscall.RTN_UNSPEC":                                   "syscall",
-	"syscall.RTN_XRESOLVE":                                 "syscall",
-	"syscall.RTPROT_BIRD":                                  "syscall",
-	"syscall.RTPROT_BOOT":                                  "syscall",
-	"syscall.RTPROT_DHCP":                                  "syscall",
-	"syscall.RTPROT_DNROUTED":                              "syscall",
-	"syscall.RTPROT_GATED":                                 "syscall",
-	"syscall.RTPROT_KERNEL":                                "syscall",
-	"syscall.RTPROT_MRT":                                   "syscall",
-	"syscall.RTPROT_NTK":                                   "syscall",
-	"syscall.RTPROT_RA":                                    "syscall",
-	"syscall.RTPROT_REDIRECT":                              "syscall",
-	"syscall.RTPROT_STATIC":                                "syscall",
-	"syscall.RTPROT_UNSPEC":                                "syscall",
-	"syscall.RTPROT_XORP":                                  "syscall",
-	"syscall.RTPROT_ZEBRA":                                 "syscall",
-	"syscall.RTV_EXPIRE":                                   "syscall",
-	"syscall.RTV_HOPCOUNT":                                 "syscall",
-	"syscall.RTV_MTU":                                      "syscall",
-	"syscall.RTV_RPIPE":                                    "syscall",
-	"syscall.RTV_RTT":                                      "syscall",
-	"syscall.RTV_RTTVAR":                                   "syscall",
-	"syscall.RTV_SPIPE":                                    "syscall",
-	"syscall.RTV_SSTHRESH":                                 "syscall",
-	"syscall.RTV_WEIGHT":                                   "syscall",
-	"syscall.RT_CACHING_CONTEXT":                           "syscall",
-	"syscall.RT_CLASS_DEFAULT":                             "syscall",
-	"syscall.RT_CLASS_LOCAL":                               "syscall",
-	"syscall.RT_CLASS_MAIN":                                "syscall",
-	"syscall.RT_CLASS_MAX":                                 "syscall",
-	"syscall.RT_CLASS_UNSPEC":                              "syscall",
-	"syscall.RT_DEFAULT_FIB":                               "syscall",
-	"syscall.RT_NORTREF":                                   "syscall",
-	"syscall.RT_SCOPE_HOST":                                "syscall",
-	"syscall.RT_SCOPE_LINK":                                "syscall",
-	"syscall.RT_SCOPE_NOWHERE":                             "syscall",
-	"syscall.RT_SCOPE_SITE":                                "syscall",
-	"syscall.RT_SCOPE_UNIVERSE":                            "syscall",
-	"syscall.RT_TABLEID_MAX":                               "syscall",
-	"syscall.RT_TABLE_COMPAT":                              "syscall",
-	"syscall.RT_TABLE_DEFAULT":                             "syscall",
-	"syscall.RT_TABLE_LOCAL":                               "syscall",
-	"syscall.RT_TABLE_MAIN":                                "syscall",
-	"syscall.RT_TABLE_MAX":                                 "syscall",
-	"syscall.RT_TABLE_UNSPEC":                              "syscall",
-	"syscall.RUSAGE_CHILDREN":                              "syscall",
-	"syscall.RUSAGE_SELF":                                  "syscall",
-	"syscall.RUSAGE_THREAD":                                "syscall",
-	"syscall.Radvisory_t":                                  "syscall",
-	"syscall.RawSockaddr":                                  "syscall",
-	"syscall.RawSockaddrAny":                               "syscall",
-	"syscall.RawSockaddrDatalink":                          "syscall",
-	"syscall.RawSockaddrInet4":                             "syscall",
-	"syscall.RawSockaddrInet6":                             "syscall",
-	"syscall.RawSockaddrLinklayer":                         "syscall",
-	"syscall.RawSockaddrNetlink":                           "syscall",
-	"syscall.RawSockaddrUnix":                              "syscall",
-	"syscall.RawSyscall":                                   "syscall",
-	"syscall.RawSyscall6":                                  "syscall",
-	"syscall.Read":                                         "syscall",
-	"syscall.ReadConsole":                                  "syscall",
-	"syscall.ReadDirectoryChanges":                         "syscall",
-	"syscall.ReadDirent":                                   "syscall",
-	"syscall.ReadFile":                                     "syscall",
-	"syscall.Readlink":                                     "syscall",
-	"syscall.Reboot":                                       "syscall",
-	"syscall.Recvfrom":                                     "syscall",
-	"syscall.Recvmsg":                                      "syscall",
-	"syscall.RegCloseKey":                                  "syscall",
-	"syscall.RegEnumKeyEx":                                 "syscall",
-	"syscall.RegOpenKeyEx":                                 "syscall",
-	"syscall.RegQueryInfoKey":                              "syscall",
-	"syscall.RegQueryValueEx":                              "syscall",
-	"syscall.RemoveDirectory":                              "syscall",
-	"syscall.Removexattr":                                  "syscall",
-	"syscall.Rename":                                       "syscall",
-	"syscall.Renameat":                                     "syscall",
-	"syscall.Revoke":                                       "syscall",
-	"syscall.Rlimit":                                       "syscall",
-	"syscall.Rmdir":                                        "syscall",
-	"syscall.RouteMessage":                                 "syscall",
-	"syscall.RouteRIB":                                     "syscall",
-	"syscall.RtAttr":                                       "syscall",
-	"syscall.RtGenmsg":                                     "syscall",
-	"syscall.RtMetrics":                                    "syscall",
-	"syscall.RtMsg":                                        "syscall",
-	"syscall.RtMsghdr":                                     "syscall",
-	"syscall.RtNexthop":                                    "syscall",
-	"syscall.Rusage":                                       "syscall",
-	"syscall.SCM_BINTIME":                                  "syscall",
-	"syscall.SCM_CREDENTIALS":                              "syscall",
-	"syscall.SCM_CREDS":                                    "syscall",
-	"syscall.SCM_RIGHTS":                                   "syscall",
-	"syscall.SCM_TIMESTAMP":                                "syscall",
-	"syscall.SCM_TIMESTAMPING":                             "syscall",
-	"syscall.SCM_TIMESTAMPNS":                              "syscall",
-	"syscall.SCM_TIMESTAMP_MONOTONIC":                      "syscall",
-	"syscall.SHUT_RD":                                      "syscall",
-	"syscall.SHUT_RDWR":                                    "syscall",
-	"syscall.SHUT_WR":                                      "syscall",
-	"syscall.SID":                                          "syscall",
-	"syscall.SIDAndAttributes":                             "syscall",
-	"syscall.SIGABRT":                                      "syscall",
-	"syscall.SIGALRM":                                      "syscall",
-	"syscall.SIGBUS":                                       "syscall",
-	"syscall.SIGCHLD":                                      "syscall",
-	"syscall.SIGCLD":                                       "syscall",
-	"syscall.SIGCONT":                                      "syscall",
-	"syscall.SIGEMT":                                       "syscall",
-	"syscall.SIGFPE":                                       "syscall",
-	"syscall.SIGHUP":                                       "syscall",
-	"syscall.SIGILL":                                       "syscall",
-	"syscall.SIGINFO":                                      "syscall",
-	"syscall.SIGINT":                                       "syscall",
-	"syscall.SIGIO":                                        "syscall",
-	"syscall.SIGIOT":                                       "syscall",
-	"syscall.SIGKILL":                                      "syscall",
-	"syscall.SIGLIBRT":                                     "syscall",
-	"syscall.SIGLWP":                                       "syscall",
-	"syscall.SIGPIPE":                                      "syscall",
-	"syscall.SIGPOLL":                                      "syscall",
-	"syscall.SIGPROF":                                      "syscall",
-	"syscall.SIGPWR":                                       "syscall",
-	"syscall.SIGQUIT":                                      "syscall",
-	"syscall.SIGSEGV":                                      "syscall",
-	"syscall.SIGSTKFLT":                                    "syscall",
-	"syscall.SIGSTOP":                                      "syscall",
-	"syscall.SIGSYS":                                       "syscall",
-	"syscall.SIGTERM":                                      "syscall",
-	"syscall.SIGTHR":                                       "syscall",
-	"syscall.SIGTRAP":                                      "syscall",
-	"syscall.SIGTSTP":                                      "syscall",
-	"syscall.SIGTTIN":                                      "syscall",
-	"syscall.SIGTTOU":                                      "syscall",
-	"syscall.SIGUNUSED":                                    "syscall",
-	"syscall.SIGURG":                                       "syscall",
-	"syscall.SIGUSR1":                                      "syscall",
-	"syscall.SIGUSR2":                                      "syscall",
-	"syscall.SIGVTALRM":                                    "syscall",
-	"syscall.SIGWINCH":                                     "syscall",
-	"syscall.SIGXCPU":                                      "syscall",
-	"syscall.SIGXFSZ":                                      "syscall",
-	"syscall.SIOCADDDLCI":                                  "syscall",
-	"syscall.SIOCADDMULTI":                                 "syscall",
-	"syscall.SIOCADDRT":                                    "syscall",
-	"syscall.SIOCAIFADDR":                                  "syscall",
-	"syscall.SIOCAIFGROUP":                                 "syscall",
-	"syscall.SIOCALIFADDR":                                 "syscall",
-	"syscall.SIOCARPIPLL":                                  "syscall",
-	"syscall.SIOCATMARK":                                   "syscall",
-	"syscall.SIOCAUTOADDR":                                 "syscall",
-	"syscall.SIOCAUTONETMASK":                              "syscall",
-	"syscall.SIOCBRDGADD":                                  "syscall",
-	"syscall.SIOCBRDGADDS":                                 "syscall",
-	"syscall.SIOCBRDGARL":                                  "syscall",
-	"syscall.SIOCBRDGDADDR":                                "syscall",
-	"syscall.SIOCBRDGDEL":                                  "syscall",
-	"syscall.SIOCBRDGDELS":                                 "syscall",
-	"syscall.SIOCBRDGFLUSH":                                "syscall",
-	"syscall.SIOCBRDGFRL":                                  "syscall",
-	"syscall.SIOCBRDGGCACHE":                               "syscall",
-	"syscall.SIOCBRDGGFD":                                  "syscall",
-	"syscall.SIOCBRDGGHT":                                  "syscall",
-	"syscall.SIOCBRDGGIFFLGS":                              "syscall",
-	"syscall.SIOCBRDGGMA":                                  "syscall",
-	"syscall.SIOCBRDGGPARAM":                               "syscall",
-	"syscall.SIOCBRDGGPRI":                                 "syscall",
-	"syscall.SIOCBRDGGRL":                                  "syscall",
-	"syscall.SIOCBRDGGSIFS":                                "syscall",
-	"syscall.SIOCBRDGGTO":                                  "syscall",
-	"syscall.SIOCBRDGIFS":                                  "syscall",
-	"syscall.SIOCBRDGRTS":                                  "syscall",
-	"syscall.SIOCBRDGSADDR":                                "syscall",
-	"syscall.SIOCBRDGSCACHE":                               "syscall",
-	"syscall.SIOCBRDGSFD":                                  "syscall",
-	"syscall.SIOCBRDGSHT":                                  "syscall",
-	"syscall.SIOCBRDGSIFCOST":                              "syscall",
-	"syscall.SIOCBRDGSIFFLGS":                              "syscall",
-	"syscall.SIOCBRDGSIFPRIO":                              "syscall",
-	"syscall.SIOCBRDGSMA":                                  "syscall",
-	"syscall.SIOCBRDGSPRI":                                 "syscall",
-	"syscall.SIOCBRDGSPROTO":                               "syscall",
-	"syscall.SIOCBRDGSTO":                                  "syscall",
-	"syscall.SIOCBRDGSTXHC":                                "syscall",
-	"syscall.SIOCDARP":                                     "syscall",
-	"syscall.SIOCDELDLCI":                                  "syscall",
-	"syscall.SIOCDELMULTI":                                 "syscall",
-	"syscall.SIOCDELRT":                                    "syscall",
-	"syscall.SIOCDEVPRIVATE":                               "syscall",
-	"syscall.SIOCDIFADDR":                                  "syscall",
-	"syscall.SIOCDIFGROUP":                                 "syscall",
-	"syscall.SIOCDIFPHYADDR":                               "syscall",
-	"syscall.SIOCDLIFADDR":                                 "syscall",
-	"syscall.SIOCDRARP":                                    "syscall",
-	"syscall.SIOCGARP":                                     "syscall",
-	"syscall.SIOCGDRVSPEC":                                 "syscall",
-	"syscall.SIOCGETKALIVE":                                "syscall",
-	"syscall.SIOCGETLABEL":                                 "syscall",
-	"syscall.SIOCGETPFLOW":                                 "syscall",
-	"syscall.SIOCGETPFSYNC":                                "syscall",
-	"syscall.SIOCGETSGCNT":                                 "syscall",
-	"syscall.SIOCGETVIFCNT":                                "syscall",
-	"syscall.SIOCGETVLAN":                                  "syscall",
-	"syscall.SIOCGHIWAT":                                   "syscall",
-	"syscall.SIOCGIFADDR":                                  "syscall",
-	"syscall.SIOCGIFADDRPREF":                              "syscall",
-	"syscall.SIOCGIFALIAS":                                 "syscall",
-	"syscall.SIOCGIFALTMTU":                                "syscall",
-	"syscall.SIOCGIFASYNCMAP":                              "syscall",
-	"syscall.SIOCGIFBOND":                                  "syscall",
-	"syscall.SIOCGIFBR":                                    "syscall",
-	"syscall.SIOCGIFBRDADDR":                               "syscall",
-	"syscall.SIOCGIFCAP":                                   "syscall",
-	"syscall.SIOCGIFCONF":                                  "syscall",
-	"syscall.SIOCGIFCOUNT":                                 "syscall",
-	"syscall.SIOCGIFDATA":                                  "syscall",
-	"syscall.SIOCGIFDESCR":                                 "syscall",
-	"syscall.SIOCGIFDEVMTU":                                "syscall",
-	"syscall.SIOCGIFDLT":                                   "syscall",
-	"syscall.SIOCGIFDSTADDR":                               "syscall",
-	"syscall.SIOCGIFENCAP":                                 "syscall",
-	"syscall.SIOCGIFFIB":                                   "syscall",
-	"syscall.SIOCGIFFLAGS":                                 "syscall",
-	"syscall.SIOCGIFGATTR":                                 "syscall",
-	"syscall.SIOCGIFGENERIC":                               "syscall",
-	"syscall.SIOCGIFGMEMB":                                 "syscall",
-	"syscall.SIOCGIFGROUP":                                 "syscall",
-	"syscall.SIOCGIFHARDMTU":                               "syscall",
-	"syscall.SIOCGIFHWADDR":                                "syscall",
-	"syscall.SIOCGIFINDEX":                                 "syscall",
-	"syscall.SIOCGIFKPI":                                   "syscall",
-	"syscall.SIOCGIFMAC":                                   "syscall",
-	"syscall.SIOCGIFMAP":                                   "syscall",
-	"syscall.SIOCGIFMEDIA":                                 "syscall",
-	"syscall.SIOCGIFMEM":                                   "syscall",
-	"syscall.SIOCGIFMETRIC":                                "syscall",
-	"syscall.SIOCGIFMTU":                                   "syscall",
-	"syscall.SIOCGIFNAME":                                  "syscall",
-	"syscall.SIOCGIFNETMASK":                               "syscall",
-	"syscall.SIOCGIFPDSTADDR":                              "syscall",
-	"syscall.SIOCGIFPFLAGS":                                "syscall",
-	"syscall.SIOCGIFPHYS":                                  "syscall",
-	"syscall.SIOCGIFPRIORITY":                              "syscall",
-	"syscall.SIOCGIFPSRCADDR":                              "syscall",
-	"syscall.SIOCGIFRDOMAIN":                               "syscall",
-	"syscall.SIOCGIFRTLABEL":                               "syscall",
-	"syscall.SIOCGIFSLAVE":                                 "syscall",
-	"syscall.SIOCGIFSTATUS":                                "syscall",
-	"syscall.SIOCGIFTIMESLOT":                              "syscall",
-	"syscall.SIOCGIFTXQLEN":                                "syscall",
-	"syscall.SIOCGIFVLAN":                                  "syscall",
-	"syscall.SIOCGIFWAKEFLAGS":                             "syscall",
-	"syscall.SIOCGIFXFLAGS":                                "syscall",
-	"syscall.SIOCGLIFADDR":                                 "syscall",
-	"syscall.SIOCGLIFPHYADDR":                              "syscall",
-	"syscall.SIOCGLIFPHYRTABLE":                            "syscall",
-	"syscall.SIOCGLIFPHYTTL":                               "syscall",
-	"syscall.SIOCGLINKSTR":                                 "syscall",
-	"syscall.SIOCGLOWAT":                                   "syscall",
-	"syscall.SIOCGPGRP":                                    "syscall",
-	"syscall.SIOCGPRIVATE_0":                               "syscall",
-	"syscall.SIOCGPRIVATE_1":                               "syscall",
-	"syscall.SIOCGRARP":                                    "syscall",
-	"syscall.SIOCGSPPPPARAMS":                              "syscall",
-	"syscall.SIOCGSTAMP":                                   "syscall",
-	"syscall.SIOCGSTAMPNS":                                 "syscall",
-	"syscall.SIOCGVH":                                      "syscall",
-	"syscall.SIOCGVNETID":                                  "syscall",
-	"syscall.SIOCIFCREATE":                                 "syscall",
-	"syscall.SIOCIFCREATE2":                                "syscall",
-	"syscall.SIOCIFDESTROY":                                "syscall",
-	"syscall.SIOCIFGCLONERS":                               "syscall",
-	"syscall.SIOCINITIFADDR":                               "syscall",
-	"syscall.SIOCPROTOPRIVATE":                             "syscall",
-	"syscall.SIOCRSLVMULTI":                                "syscall",
-	"syscall.SIOCRTMSG":                                    "syscall",
-	"syscall.SIOCSARP":                                     "syscall",
-	"syscall.SIOCSDRVSPEC":                                 "syscall",
-	"syscall.SIOCSETKALIVE":                                "syscall",
-	"syscall.SIOCSETLABEL":                                 "syscall",
-	"syscall.SIOCSETPFLOW":                                 "syscall",
-	"syscall.SIOCSETPFSYNC":                                "syscall",
-	"syscall.SIOCSETVLAN":                                  "syscall",
-	"syscall.SIOCSHIWAT":                                   "syscall",
-	"syscall.SIOCSIFADDR":                                  "syscall",
-	"syscall.SIOCSIFADDRPREF":                              "syscall",
-	"syscall.SIOCSIFALTMTU":                                "syscall",
-	"syscall.SIOCSIFASYNCMAP":                              "syscall",
-	"syscall.SIOCSIFBOND":                                  "syscall",
-	"syscall.SIOCSIFBR":                                    "syscall",
-	"syscall.SIOCSIFBRDADDR":                               "syscall",
-	"syscall.SIOCSIFCAP":                                   "syscall",
-	"syscall.SIOCSIFDESCR":                                 "syscall",
-	"syscall.SIOCSIFDSTADDR":                               "syscall",
-	"syscall.SIOCSIFENCAP":                                 "syscall",
-	"syscall.SIOCSIFFIB":                                   "syscall",
-	"syscall.SIOCSIFFLAGS":                                 "syscall",
-	"syscall.SIOCSIFGATTR":                                 "syscall",
-	"syscall.SIOCSIFGENERIC":                               "syscall",
-	"syscall.SIOCSIFHWADDR":                                "syscall",
-	"syscall.SIOCSIFHWBROADCAST":                           "syscall",
-	"syscall.SIOCSIFKPI":                                   "syscall",
-	"syscall.SIOCSIFLINK":                                  "syscall",
-	"syscall.SIOCSIFLLADDR":                                "syscall",
-	"syscall.SIOCSIFMAC":                                   "syscall",
-	"syscall.SIOCSIFMAP":                                   "syscall",
-	"syscall.SIOCSIFMEDIA":                                 "syscall",
-	"syscall.SIOCSIFMEM":                                   "syscall",
-	"syscall.SIOCSIFMETRIC":                                "syscall",
-	"syscall.SIOCSIFMTU":                                   "syscall",
-	"syscall.SIOCSIFNAME":                                  "syscall",
-	"syscall.SIOCSIFNETMASK":                               "syscall",
-	"syscall.SIOCSIFPFLAGS":                                "syscall",
-	"syscall.SIOCSIFPHYADDR":                               "syscall",
-	"syscall.SIOCSIFPHYS":                                  "syscall",
-	"syscall.SIOCSIFPRIORITY":                              "syscall",
-	"syscall.SIOCSIFRDOMAIN":                               "syscall",
-	"syscall.SIOCSIFRTLABEL":                               "syscall",
-	"syscall.SIOCSIFRVNET":                                 "syscall",
-	"syscall.SIOCSIFSLAVE":                                 "syscall",
-	"syscall.SIOCSIFTIMESLOT":                              "syscall",
-	"syscall.SIOCSIFTXQLEN":                                "syscall",
-	"syscall.SIOCSIFVLAN":                                  "syscall",
-	"syscall.SIOCSIFVNET":                                  "syscall",
-	"syscall.SIOCSIFXFLAGS":                                "syscall",
-	"syscall.SIOCSLIFPHYADDR":                              "syscall",
-	"syscall.SIOCSLIFPHYRTABLE":                            "syscall",
-	"syscall.SIOCSLIFPHYTTL":                               "syscall",
-	"syscall.SIOCSLINKSTR":                                 "syscall",
-	"syscall.SIOCSLOWAT":                                   "syscall",
-	"syscall.SIOCSPGRP":                                    "syscall",
-	"syscall.SIOCSRARP":                                    "syscall",
-	"syscall.SIOCSSPPPPARAMS":                              "syscall",
-	"syscall.SIOCSVH":                                      "syscall",
-	"syscall.SIOCSVNETID":                                  "syscall",
-	"syscall.SIOCZIFDATA":                                  "syscall",
-	"syscall.SIO_GET_EXTENSION_FUNCTION_POINTER":           "syscall",
-	"syscall.SIO_GET_INTERFACE_LIST":                       "syscall",
-	"syscall.SIO_KEEPALIVE_VALS":                           "syscall",
-	"syscall.SIO_UDP_CONNRESET":                            "syscall",
-	"syscall.SOCK_CLOEXEC":                                 "syscall",
-	"syscall.SOCK_DCCP":                                    "syscall",
-	"syscall.SOCK_DGRAM":                                   "syscall",
-	"syscall.SOCK_FLAGS_MASK":                              "syscall",
-	"syscall.SOCK_MAXADDRLEN":                              "syscall",
-	"syscall.SOCK_NONBLOCK":                                "syscall",
-	"syscall.SOCK_NOSIGPIPE":                               "syscall",
-	"syscall.SOCK_PACKET":                                  "syscall",
-	"syscall.SOCK_RAW":                                     "syscall",
-	"syscall.SOCK_RDM":                                     "syscall",
-	"syscall.SOCK_SEQPACKET":                               "syscall",
-	"syscall.SOCK_STREAM":                                  "syscall",
-	"syscall.SOL_AAL":                                      "syscall",
-	"syscall.SOL_ATM":                                      "syscall",
-	"syscall.SOL_DECNET":                                   "syscall",
-	"syscall.SOL_ICMPV6":                                   "syscall",
-	"syscall.SOL_IP":                                       "syscall",
-	"syscall.SOL_IPV6":                                     "syscall",
-	"syscall.SOL_IRDA":                                     "syscall",
-	"syscall.SOL_PACKET":                                   "syscall",
-	"syscall.SOL_RAW":                                      "syscall",
-	"syscall.SOL_SOCKET":                                   "syscall",
-	"syscall.SOL_TCP":                                      "syscall",
-	"syscall.SOL_X25":                                      "syscall",
-	"syscall.SOMAXCONN":                                    "syscall",
-	"syscall.SO_ACCEPTCONN":                                "syscall",
-	"syscall.SO_ACCEPTFILTER":                              "syscall",
-	"syscall.SO_ATTACH_FILTER":                             "syscall",
-	"syscall.SO_BINDANY":                                   "syscall",
-	"syscall.SO_BINDTODEVICE":                              "syscall",
-	"syscall.SO_BINTIME":                                   "syscall",
-	"syscall.SO_BROADCAST":                                 "syscall",
-	"syscall.SO_BSDCOMPAT":                                 "syscall",
-	"syscall.SO_DEBUG":                                     "syscall",
-	"syscall.SO_DETACH_FILTER":                             "syscall",
-	"syscall.SO_DOMAIN":                                    "syscall",
-	"syscall.SO_DONTROUTE":                                 "syscall",
-	"syscall.SO_DONTTRUNC":                                 "syscall",
-	"syscall.SO_ERROR":                                     "syscall",
-	"syscall.SO_KEEPALIVE":                                 "syscall",
-	"syscall.SO_LABEL":                                     "syscall",
-	"syscall.SO_LINGER":                                    "syscall",
-	"syscall.SO_LINGER_SEC":                                "syscall",
-	"syscall.SO_LISTENINCQLEN":                             "syscall",
-	"syscall.SO_LISTENQLEN":                                "syscall",
-	"syscall.SO_LISTENQLIMIT":                              "syscall",
-	"syscall.SO_MARK":                                      "syscall",
-	"syscall.SO_NETPROC":                                   "syscall",
-	"syscall.SO_NKE":                                       "syscall",
-	"syscall.SO_NOADDRERR":                                 "syscall",
-	"syscall.SO_NOHEADER":                                  "syscall",
-	"syscall.SO_NOSIGPIPE":                                 "syscall",
-	"syscall.SO_NOTIFYCONFLICT":                            "syscall",
-	"syscall.SO_NO_CHECK":                                  "syscall",
-	"syscall.SO_NO_DDP":                                    "syscall",
-	"syscall.SO_NO_OFFLOAD":                                "syscall",
-	"syscall.SO_NP_EXTENSIONS":                             "syscall",
-	"syscall.SO_NREAD":                                     "syscall",
-	"syscall.SO_NWRITE":                                    "syscall",
-	"syscall.SO_OOBINLINE":                                 "syscall",
-	"syscall.SO_OVERFLOWED":                                "syscall",
-	"syscall.SO_PASSCRED":                                  "syscall",
-	"syscall.SO_PASSSEC":                                   "syscall",
-	"syscall.SO_PEERCRED":                                  "syscall",
-	"syscall.SO_PEERLABEL":                                 "syscall",
-	"syscall.SO_PEERNAME":                                  "syscall",
-	"syscall.SO_PEERSEC":                                   "syscall",
-	"syscall.SO_PRIORITY":                                  "syscall",
-	"syscall.SO_PROTOCOL":                                  "syscall",
-	"syscall.SO_PROTOTYPE":                                 "syscall",
-	"syscall.SO_RANDOMPORT":                                "syscall",
-	"syscall.SO_RCVBUF":                                    "syscall",
-	"syscall.SO_RCVBUFFORCE":                               "syscall",
-	"syscall.SO_RCVLOWAT":                                  "syscall",
-	"syscall.SO_RCVTIMEO":                                  "syscall",
-	"syscall.SO_RESTRICTIONS":                              "syscall",
-	"syscall.SO_RESTRICT_DENYIN":                           "syscall",
-	"syscall.SO_RESTRICT_DENYOUT":                          "syscall",
-	"syscall.SO_RESTRICT_DENYSET":                          "syscall",
-	"syscall.SO_REUSEADDR":                                 "syscall",
-	"syscall.SO_REUSEPORT":                                 "syscall",
-	"syscall.SO_REUSESHAREUID":                             "syscall",
-	"syscall.SO_RTABLE":                                    "syscall",
-	"syscall.SO_RXQ_OVFL":                                  "syscall",
-	"syscall.SO_SECURITY_AUTHENTICATION":                   "syscall",
-	"syscall.SO_SECURITY_ENCRYPTION_NETWORK":               "syscall",
-	"syscall.SO_SECURITY_ENCRYPTION_TRANSPORT":             "syscall",
-	"syscall.SO_SETFIB":                                    "syscall",
-	"syscall.SO_SNDBUF":                                    "syscall",
-	"syscall.SO_SNDBUFFORCE":                               "syscall",
-	"syscall.SO_SNDLOWAT":                                  "syscall",
-	"syscall.SO_SNDTIMEO":                                  "syscall",
-	"syscall.SO_SPLICE":                                    "syscall",
-	"syscall.SO_TIMESTAMP":                                 "syscall",
-	"syscall.SO_TIMESTAMPING":                              "syscall",
-	"syscall.SO_TIMESTAMPNS":                               "syscall",
-	"syscall.SO_TIMESTAMP_MONOTONIC":                       "syscall",
-	"syscall.SO_TYPE":                                      "syscall",
-	"syscall.SO_UPCALLCLOSEWAIT":                           "syscall",
-	"syscall.SO_UPDATE_ACCEPT_CONTEXT":                     "syscall",
-	"syscall.SO_UPDATE_CONNECT_CONTEXT":                    "syscall",
-	"syscall.SO_USELOOPBACK":                               "syscall",
-	"syscall.SO_USER_COOKIE":                               "syscall",
-	"syscall.SO_VENDOR":                                    "syscall",
-	"syscall.SO_WANTMORE":                                  "syscall",
-	"syscall.SO_WANTOOBFLAG":                               "syscall",
-	"syscall.SSLExtraCertChainPolicyPara":                  "syscall",
-	"syscall.STANDARD_RIGHTS_ALL":                          "syscall",
-	"syscall.STANDARD_RIGHTS_EXECUTE":                      "syscall",
-	"syscall.STANDARD_RIGHTS_READ":                         "syscall",
-	"syscall.STANDARD_RIGHTS_REQUIRED":                     "syscall",
-	"syscall.STANDARD_RIGHTS_WRITE":                        "syscall",
-	"syscall.STARTF_USESHOWWINDOW":                         "syscall",
-	"syscall.STARTF_USESTDHANDLES":                         "syscall",
-	"syscall.STD_ERROR_HANDLE":                             "syscall",
-	"syscall.STD_INPUT_HANDLE":                             "syscall",
-	"syscall.STD_OUTPUT_HANDLE":                            "syscall",
-	"syscall.SUBLANG_ENGLISH_US":                           "syscall",
-	"syscall.SW_FORCEMINIMIZE":                             "syscall",
-	"syscall.SW_HIDE":                                      "syscall",
-	"syscall.SW_MAXIMIZE":                                  "syscall",
-	"syscall.SW_MINIMIZE":                                  "syscall",
-	"syscall.SW_NORMAL":                                    "syscall",
-	"syscall.SW_RESTORE":                                   "syscall",
-	"syscall.SW_SHOW":                                      "syscall",
-	"syscall.SW_SHOWDEFAULT":                               "syscall",
-	"syscall.SW_SHOWMAXIMIZED":                             "syscall",
-	"syscall.SW_SHOWMINIMIZED":                             "syscall",
-	"syscall.SW_SHOWMINNOACTIVE":                           "syscall",
-	"syscall.SW_SHOWNA":                                    "syscall",
-	"syscall.SW_SHOWNOACTIVATE":                            "syscall",
-	"syscall.SW_SHOWNORMAL":                                "syscall",
-	"syscall.SYMBOLIC_LINK_FLAG_DIRECTORY":                 "syscall",
-	"syscall.SYNCHRONIZE":                                  "syscall",
-	"syscall.SYSCTL_VERSION":                               "syscall",
-	"syscall.SYSCTL_VERS_0":                                "syscall",
-	"syscall.SYSCTL_VERS_1":                                "syscall",
-	"syscall.SYSCTL_VERS_MASK":                             "syscall",
-	"syscall.SYS_ABORT2":                                   "syscall",
-	"syscall.SYS_ACCEPT":                                   "syscall",
-	"syscall.SYS_ACCEPT4":                                  "syscall",
-	"syscall.SYS_ACCEPT_NOCANCEL":                          "syscall",
-	"syscall.SYS_ACCESS":                                   "syscall",
-	"syscall.SYS_ACCESS_EXTENDED":                          "syscall",
-	"syscall.SYS_ACCT":                                     "syscall",
-	"syscall.SYS_ADD_KEY":                                  "syscall",
-	"syscall.SYS_ADD_PROFIL":                               "syscall",
-	"syscall.SYS_ADJFREQ":                                  "syscall",
-	"syscall.SYS_ADJTIME":                                  "syscall",
-	"syscall.SYS_ADJTIMEX":                                 "syscall",
-	"syscall.SYS_AFS_SYSCALL":                              "syscall",
-	"syscall.SYS_AIO_CANCEL":                               "syscall",
-	"syscall.SYS_AIO_ERROR":                                "syscall",
-	"syscall.SYS_AIO_FSYNC":                                "syscall",
-	"syscall.SYS_AIO_READ":                                 "syscall",
-	"syscall.SYS_AIO_RETURN":                               "syscall",
-	"syscall.SYS_AIO_SUSPEND":                              "syscall",
-	"syscall.SYS_AIO_SUSPEND_NOCANCEL":                     "syscall",
-	"syscall.SYS_AIO_WRITE":                                "syscall",
-	"syscall.SYS_ALARM":                                    "syscall",
-	"syscall.SYS_ARCH_PRCTL":                               "syscall",
-	"syscall.SYS_ARM_FADVISE64_64":                         "syscall",
-	"syscall.SYS_ARM_SYNC_FILE_RANGE":                      "syscall",
-	"syscall.SYS_ATGETMSG":                                 "syscall",
-	"syscall.SYS_ATPGETREQ":                                "syscall",
-	"syscall.SYS_ATPGETRSP":                                "syscall",
-	"syscall.SYS_ATPSNDREQ":                                "syscall",
-	"syscall.SYS_ATPSNDRSP":                                "syscall",
-	"syscall.SYS_ATPUTMSG":                                 "syscall",
-	"syscall.SYS_ATSOCKET":                                 "syscall",
-	"syscall.SYS_AUDIT":                                    "syscall",
-	"syscall.SYS_AUDITCTL":                                 "syscall",
-	"syscall.SYS_AUDITON":                                  "syscall",
-	"syscall.SYS_AUDIT_SESSION_JOIN":                       "syscall",
-	"syscall.SYS_AUDIT_SESSION_PORT":                       "syscall",
-	"syscall.SYS_AUDIT_SESSION_SELF":                       "syscall",
-	"syscall.SYS_BDFLUSH":                                  "syscall",
-	"syscall.SYS_BIND":                                     "syscall",
-	"syscall.SYS_BINDAT":                                   "syscall",
-	"syscall.SYS_BREAK":                                    "syscall",
-	"syscall.SYS_BRK":                                      "syscall",
-	"syscall.SYS_BSDTHREAD_CREATE":                         "syscall",
-	"syscall.SYS_BSDTHREAD_REGISTER":                       "syscall",
-	"syscall.SYS_BSDTHREAD_TERMINATE":                      "syscall",
-	"syscall.SYS_CAPGET":                                   "syscall",
-	"syscall.SYS_CAPSET":                                   "syscall",
-	"syscall.SYS_CAP_ENTER":                                "syscall",
-	"syscall.SYS_CAP_FCNTLS_GET":                           "syscall",
-	"syscall.SYS_CAP_FCNTLS_LIMIT":                         "syscall",
-	"syscall.SYS_CAP_GETMODE":                              "syscall",
-	"syscall.SYS_CAP_GETRIGHTS":                            "syscall",
-	"syscall.SYS_CAP_IOCTLS_GET":                           "syscall",
-	"syscall.SYS_CAP_IOCTLS_LIMIT":                         "syscall",
-	"syscall.SYS_CAP_NEW":                                  "syscall",
-	"syscall.SYS_CAP_RIGHTS_GET":                           "syscall",
-	"syscall.SYS_CAP_RIGHTS_LIMIT":                         "syscall",
-	"syscall.SYS_CHDIR":                                    "syscall",
-	"syscall.SYS_CHFLAGS":                                  "syscall",
-	"syscall.SYS_CHFLAGSAT":                                "syscall",
-	"syscall.SYS_CHMOD":                                    "syscall",
-	"syscall.SYS_CHMOD_EXTENDED":                           "syscall",
-	"syscall.SYS_CHOWN":                                    "syscall",
-	"syscall.SYS_CHOWN32":                                  "syscall",
-	"syscall.SYS_CHROOT":                                   "syscall",
-	"syscall.SYS_CHUD":                                     "syscall",
-	"syscall.SYS_CLOCK_ADJTIME":                            "syscall",
-	"syscall.SYS_CLOCK_GETCPUCLOCKID2":                     "syscall",
-	"syscall.SYS_CLOCK_GETRES":                             "syscall",
-	"syscall.SYS_CLOCK_GETTIME":                            "syscall",
-	"syscall.SYS_CLOCK_NANOSLEEP":                          "syscall",
-	"syscall.SYS_CLOCK_SETTIME":                            "syscall",
-	"syscall.SYS_CLONE":                                    "syscall",
-	"syscall.SYS_CLOSE":                                    "syscall",
-	"syscall.SYS_CLOSEFROM":                                "syscall",
-	"syscall.SYS_CLOSE_NOCANCEL":                           "syscall",
-	"syscall.SYS_CONNECT":                                  "syscall",
-	"syscall.SYS_CONNECTAT":                                "syscall",
-	"syscall.SYS_CONNECT_NOCANCEL":                         "syscall",
-	"syscall.SYS_COPYFILE":                                 "syscall",
-	"syscall.SYS_CPUSET":                                   "syscall",
-	"syscall.SYS_CPUSET_GETAFFINITY":                       "syscall",
-	"syscall.SYS_CPUSET_GETID":                             "syscall",
-	"syscall.SYS_CPUSET_SETAFFINITY":                       "syscall",
-	"syscall.SYS_CPUSET_SETID":                             "syscall",
-	"syscall.SYS_CREAT":                                    "syscall",
-	"syscall.SYS_CREATE_MODULE":                            "syscall",
-	"syscall.SYS_CSOPS":                                    "syscall",
-	"syscall.SYS_DELETE":                                   "syscall",
-	"syscall.SYS_DELETE_MODULE":                            "syscall",
-	"syscall.SYS_DUP":                                      "syscall",
-	"syscall.SYS_DUP2":                                     "syscall",
-	"syscall.SYS_DUP3":                                     "syscall",
-	"syscall.SYS_EACCESS":                                  "syscall",
-	"syscall.SYS_EPOLL_CREATE":                             "syscall",
-	"syscall.SYS_EPOLL_CREATE1":                            "syscall",
-	"syscall.SYS_EPOLL_CTL":                                "syscall",
-	"syscall.SYS_EPOLL_CTL_OLD":                            "syscall",
-	"syscall.SYS_EPOLL_PWAIT":                              "syscall",
-	"syscall.SYS_EPOLL_WAIT":                               "syscall",
-	"syscall.SYS_EPOLL_WAIT_OLD":                           "syscall",
-	"syscall.SYS_EVENTFD":                                  "syscall",
-	"syscall.SYS_EVENTFD2":                                 "syscall",
-	"syscall.SYS_EXCHANGEDATA":                             "syscall",
-	"syscall.SYS_EXECVE":                                   "syscall",
-	"syscall.SYS_EXIT":                                     "syscall",
-	"syscall.SYS_EXIT_GROUP":                               "syscall",
-	"syscall.SYS_EXTATTRCTL":                               "syscall",
-	"syscall.SYS_EXTATTR_DELETE_FD":                        "syscall",
-	"syscall.SYS_EXTATTR_DELETE_FILE":                      "syscall",
-	"syscall.SYS_EXTATTR_DELETE_LINK":                      "syscall",
-	"syscall.SYS_EXTATTR_GET_FD":                           "syscall",
-	"syscall.SYS_EXTATTR_GET_FILE":                         "syscall",
-	"syscall.SYS_EXTATTR_GET_LINK":                         "syscall",
-	"syscall.SYS_EXTATTR_LIST_FD":                          "syscall",
-	"syscall.SYS_EXTATTR_LIST_FILE":                        "syscall",
-	"syscall.SYS_EXTATTR_LIST_LINK":                        "syscall",
-	"syscall.SYS_EXTATTR_SET_FD":                           "syscall",
-	"syscall.SYS_EXTATTR_SET_FILE":                         "syscall",
-	"syscall.SYS_EXTATTR_SET_LINK":                         "syscall",
-	"syscall.SYS_FACCESSAT":                                "syscall",
-	"syscall.SYS_FADVISE64":                                "syscall",
-	"syscall.SYS_FADVISE64_64":                             "syscall",
-	"syscall.SYS_FALLOCATE":                                "syscall",
-	"syscall.SYS_FANOTIFY_INIT":                            "syscall",
-	"syscall.SYS_FANOTIFY_MARK":                            "syscall",
-	"syscall.SYS_FCHDIR":                                   "syscall",
-	"syscall.SYS_FCHFLAGS":                                 "syscall",
-	"syscall.SYS_FCHMOD":                                   "syscall",
-	"syscall.SYS_FCHMODAT":                                 "syscall",
-	"syscall.SYS_FCHMOD_EXTENDED":                          "syscall",
-	"syscall.SYS_FCHOWN":                                   "syscall",
-	"syscall.SYS_FCHOWN32":                                 "syscall",
-	"syscall.SYS_FCHOWNAT":                                 "syscall",
-	"syscall.SYS_FCHROOT":                                  "syscall",
-	"syscall.SYS_FCNTL":                                    "syscall",
-	"syscall.SYS_FCNTL64":                                  "syscall",
-	"syscall.SYS_FCNTL_NOCANCEL":                           "syscall",
-	"syscall.SYS_FDATASYNC":                                "syscall",
-	"syscall.SYS_FEXECVE":                                  "syscall",
-	"syscall.SYS_FFCLOCK_GETCOUNTER":                       "syscall",
-	"syscall.SYS_FFCLOCK_GETESTIMATE":                      "syscall",
-	"syscall.SYS_FFCLOCK_SETESTIMATE":                      "syscall",
-	"syscall.SYS_FFSCTL":                                   "syscall",
-	"syscall.SYS_FGETATTRLIST":                             "syscall",
-	"syscall.SYS_FGETXATTR":                                "syscall",
-	"syscall.SYS_FHOPEN":                                   "syscall",
-	"syscall.SYS_FHSTAT":                                   "syscall",
-	"syscall.SYS_FHSTATFS":                                 "syscall",
-	"syscall.SYS_FILEPORT_MAKEFD":                          "syscall",
-	"syscall.SYS_FILEPORT_MAKEPORT":                        "syscall",
-	"syscall.SYS_FKTRACE":                                  "syscall",
-	"syscall.SYS_FLISTXATTR":                               "syscall",
-	"syscall.SYS_FLOCK":                                    "syscall",
-	"syscall.SYS_FORK":                                     "syscall",
-	"syscall.SYS_FPATHCONF":                                "syscall",
-	"syscall.SYS_FREEBSD6_FTRUNCATE":                       "syscall",
-	"syscall.SYS_FREEBSD6_LSEEK":                           "syscall",
-	"syscall.SYS_FREEBSD6_MMAP":                            "syscall",
-	"syscall.SYS_FREEBSD6_PREAD":                           "syscall",
-	"syscall.SYS_FREEBSD6_PWRITE":                          "syscall",
-	"syscall.SYS_FREEBSD6_TRUNCATE":                        "syscall",
-	"syscall.SYS_FREMOVEXATTR":                             "syscall",
-	"syscall.SYS_FSCTL":                                    "syscall",
-	"syscall.SYS_FSETATTRLIST":                             "syscall",
-	"syscall.SYS_FSETXATTR":                                "syscall",
-	"syscall.SYS_FSGETPATH":                                "syscall",
-	"syscall.SYS_FSTAT":                                    "syscall",
-	"syscall.SYS_FSTAT64":                                  "syscall",
-	"syscall.SYS_FSTAT64_EXTENDED":                         "syscall",
-	"syscall.SYS_FSTATAT":                                  "syscall",
-	"syscall.SYS_FSTATAT64":                                "syscall",
-	"syscall.SYS_FSTATFS":                                  "syscall",
-	"syscall.SYS_FSTATFS64":                                "syscall",
-	"syscall.SYS_FSTATV":                                   "syscall",
-	"syscall.SYS_FSTATVFS1":                                "syscall",
-	"syscall.SYS_FSTAT_EXTENDED":                           "syscall",
-	"syscall.SYS_FSYNC":                                    "syscall",
-	"syscall.SYS_FSYNC_NOCANCEL":                           "syscall",
-	"syscall.SYS_FSYNC_RANGE":                              "syscall",
-	"syscall.SYS_FTIME":                                    "syscall",
-	"syscall.SYS_FTRUNCATE":                                "syscall",
-	"syscall.SYS_FTRUNCATE64":                              "syscall",
-	"syscall.SYS_FUTEX":                                    "syscall",
-	"syscall.SYS_FUTIMENS":                                 "syscall",
-	"syscall.SYS_FUTIMES":                                  "syscall",
-	"syscall.SYS_FUTIMESAT":                                "syscall",
-	"syscall.SYS_GETATTRLIST":                              "syscall",
-	"syscall.SYS_GETAUDIT":                                 "syscall",
-	"syscall.SYS_GETAUDIT_ADDR":                            "syscall",
-	"syscall.SYS_GETAUID":                                  "syscall",
-	"syscall.SYS_GETCONTEXT":                               "syscall",
-	"syscall.SYS_GETCPU":                                   "syscall",
-	"syscall.SYS_GETCWD":                                   "syscall",
-	"syscall.SYS_GETDENTS":                                 "syscall",
-	"syscall.SYS_GETDENTS64":                               "syscall",
-	"syscall.SYS_GETDIRENTRIES":                            "syscall",
-	"syscall.SYS_GETDIRENTRIES64":                          "syscall",
-	"syscall.SYS_GETDIRENTRIESATTR":                        "syscall",
-	"syscall.SYS_GETDTABLECOUNT":                           "syscall",
-	"syscall.SYS_GETDTABLESIZE":                            "syscall",
-	"syscall.SYS_GETEGID":                                  "syscall",
-	"syscall.SYS_GETEGID32":                                "syscall",
-	"syscall.SYS_GETEUID":                                  "syscall",
-	"syscall.SYS_GETEUID32":                                "syscall",
-	"syscall.SYS_GETFH":                                    "syscall",
-	"syscall.SYS_GETFSSTAT":                                "syscall",
-	"syscall.SYS_GETFSSTAT64":                              "syscall",
-	"syscall.SYS_GETGID":                                   "syscall",
-	"syscall.SYS_GETGID32":                                 "syscall",
-	"syscall.SYS_GETGROUPS":                                "syscall",
-	"syscall.SYS_GETGROUPS32":                              "syscall",
-	"syscall.SYS_GETHOSTUUID":                              "syscall",
-	"syscall.SYS_GETITIMER":                                "syscall",
-	"syscall.SYS_GETLCID":                                  "syscall",
-	"syscall.SYS_GETLOGIN":                                 "syscall",
-	"syscall.SYS_GETLOGINCLASS":                            "syscall",
-	"syscall.SYS_GETPEERNAME":                              "syscall",
-	"syscall.SYS_GETPGID":                                  "syscall",
-	"syscall.SYS_GETPGRP":                                  "syscall",
-	"syscall.SYS_GETPID":                                   "syscall",
-	"syscall.SYS_GETPMSG":                                  "syscall",
-	"syscall.SYS_GETPPID":                                  "syscall",
-	"syscall.SYS_GETPRIORITY":                              "syscall",
-	"syscall.SYS_GETRESGID":                                "syscall",
-	"syscall.SYS_GETRESGID32":                              "syscall",
-	"syscall.SYS_GETRESUID":                                "syscall",
-	"syscall.SYS_GETRESUID32":                              "syscall",
-	"syscall.SYS_GETRLIMIT":                                "syscall",
-	"syscall.SYS_GETRTABLE":                                "syscall",
-	"syscall.SYS_GETRUSAGE":                                "syscall",
-	"syscall.SYS_GETSGROUPS":                               "syscall",
-	"syscall.SYS_GETSID":                                   "syscall",
-	"syscall.SYS_GETSOCKNAME":                              "syscall",
-	"syscall.SYS_GETSOCKOPT":                               "syscall",
-	"syscall.SYS_GETTHRID":                                 "syscall",
-	"syscall.SYS_GETTID":                                   "syscall",
-	"syscall.SYS_GETTIMEOFDAY":                             "syscall",
-	"syscall.SYS_GETUID":                                   "syscall",
-	"syscall.SYS_GETUID32":                                 "syscall",
-	"syscall.SYS_GETVFSSTAT":                               "syscall",
-	"syscall.SYS_GETWGROUPS":                               "syscall",
-	"syscall.SYS_GETXATTR":                                 "syscall",
-	"syscall.SYS_GET_KERNEL_SYMS":                          "syscall",
-	"syscall.SYS_GET_MEMPOLICY":                            "syscall",
-	"syscall.SYS_GET_ROBUST_LIST":                          "syscall",
-	"syscall.SYS_GET_THREAD_AREA":                          "syscall",
-	"syscall.SYS_GTTY":                                     "syscall",
-	"syscall.SYS_IDENTITYSVC":                              "syscall",
-	"syscall.SYS_IDLE":                                     "syscall",
-	"syscall.SYS_INITGROUPS":                               "syscall",
-	"syscall.SYS_INIT_MODULE":                              "syscall",
-	"syscall.SYS_INOTIFY_ADD_WATCH":                        "syscall",
-	"syscall.SYS_INOTIFY_INIT":                             "syscall",
-	"syscall.SYS_INOTIFY_INIT1":                            "syscall",
-	"syscall.SYS_INOTIFY_RM_WATCH":                         "syscall",
-	"syscall.SYS_IOCTL":                                    "syscall",
-	"syscall.SYS_IOPERM":                                   "syscall",
-	"syscall.SYS_IOPL":                                     "syscall",
-	"syscall.SYS_IOPOLICYSYS":                              "syscall",
-	"syscall.SYS_IOPRIO_GET":                               "syscall",
-	"syscall.SYS_IOPRIO_SET":                               "syscall",
-	"syscall.SYS_IO_CANCEL":                                "syscall",
-	"syscall.SYS_IO_DESTROY":                               "syscall",
-	"syscall.SYS_IO_GETEVENTS":                             "syscall",
-	"syscall.SYS_IO_SETUP":                                 "syscall",
-	"syscall.SYS_IO_SUBMIT":                                "syscall",
-	"syscall.SYS_IPC":                                      "syscall",
-	"syscall.SYS_ISSETUGID":                                "syscall",
-	"syscall.SYS_JAIL":                                     "syscall",
-	"syscall.SYS_JAIL_ATTACH":                              "syscall",
-	"syscall.SYS_JAIL_GET":                                 "syscall",
-	"syscall.SYS_JAIL_REMOVE":                              "syscall",
-	"syscall.SYS_JAIL_SET":                                 "syscall",
-	"syscall.SYS_KDEBUG_TRACE":                             "syscall",
-	"syscall.SYS_KENV":                                     "syscall",
-	"syscall.SYS_KEVENT":                                   "syscall",
-	"syscall.SYS_KEVENT64":                                 "syscall",
-	"syscall.SYS_KEXEC_LOAD":                               "syscall",
-	"syscall.SYS_KEYCTL":                                   "syscall",
-	"syscall.SYS_KILL":                                     "syscall",
-	"syscall.SYS_KLDFIND":                                  "syscall",
-	"syscall.SYS_KLDFIRSTMOD":                              "syscall",
-	"syscall.SYS_KLDLOAD":                                  "syscall",
-	"syscall.SYS_KLDNEXT":                                  "syscall",
-	"syscall.SYS_KLDSTAT":                                  "syscall",
-	"syscall.SYS_KLDSYM":                                   "syscall",
-	"syscall.SYS_KLDUNLOAD":                                "syscall",
-	"syscall.SYS_KLDUNLOADF":                               "syscall",
-	"syscall.SYS_KQUEUE":                                   "syscall",
-	"syscall.SYS_KQUEUE1":                                  "syscall",
-	"syscall.SYS_KTIMER_CREATE":                            "syscall",
-	"syscall.SYS_KTIMER_DELETE":                            "syscall",
-	"syscall.SYS_KTIMER_GETOVERRUN":                        "syscall",
-	"syscall.SYS_KTIMER_GETTIME":                           "syscall",
-	"syscall.SYS_KTIMER_SETTIME":                           "syscall",
-	"syscall.SYS_KTRACE":                                   "syscall",
-	"syscall.SYS_LCHFLAGS":                                 "syscall",
-	"syscall.SYS_LCHMOD":                                   "syscall",
-	"syscall.SYS_LCHOWN":                                   "syscall",
-	"syscall.SYS_LCHOWN32":                                 "syscall",
-	"syscall.SYS_LGETFH":                                   "syscall",
-	"syscall.SYS_LGETXATTR":                                "syscall",
-	"syscall.SYS_LINK":                                     "syscall",
-	"syscall.SYS_LINKAT":                                   "syscall",
-	"syscall.SYS_LIO_LISTIO":                               "syscall",
-	"syscall.SYS_LISTEN":                                   "syscall",
-	"syscall.SYS_LISTXATTR":                                "syscall",
-	"syscall.SYS_LLISTXATTR":                               "syscall",
-	"syscall.SYS_LOCK":                                     "syscall",
-	"syscall.SYS_LOOKUP_DCOOKIE":                           "syscall",
-	"syscall.SYS_LPATHCONF":                                "syscall",
-	"syscall.SYS_LREMOVEXATTR":                             "syscall",
-	"syscall.SYS_LSEEK":                                    "syscall",
-	"syscall.SYS_LSETXATTR":                                "syscall",
-	"syscall.SYS_LSTAT":                                    "syscall",
-	"syscall.SYS_LSTAT64":                                  "syscall",
-	"syscall.SYS_LSTAT64_EXTENDED":                         "syscall",
-	"syscall.SYS_LSTATV":                                   "syscall",
-	"syscall.SYS_LSTAT_EXTENDED":                           "syscall",
-	"syscall.SYS_LUTIMES":                                  "syscall",
-	"syscall.SYS_MAC_SYSCALL":                              "syscall",
-	"syscall.SYS_MADVISE":                                  "syscall",
-	"syscall.SYS_MADVISE1":                                 "syscall",
-	"syscall.SYS_MAXSYSCALL":                               "syscall",
-	"syscall.SYS_MBIND":                                    "syscall",
-	"syscall.SYS_MIGRATE_PAGES":                            "syscall",
-	"syscall.SYS_MINCORE":                                  "syscall",
-	"syscall.SYS_MINHERIT":                                 "syscall",
-	"syscall.SYS_MKCOMPLEX":                                "syscall",
-	"syscall.SYS_MKDIR":                                    "syscall",
-	"syscall.SYS_MKDIRAT":                                  "syscall",
-	"syscall.SYS_MKDIR_EXTENDED":                           "syscall",
-	"syscall.SYS_MKFIFO":                                   "syscall",
-	"syscall.SYS_MKFIFOAT":                                 "syscall",
-	"syscall.SYS_MKFIFO_EXTENDED":                          "syscall",
-	"syscall.SYS_MKNOD":                                    "syscall",
-	"syscall.SYS_MKNODAT":                                  "syscall",
-	"syscall.SYS_MLOCK":                                    "syscall",
-	"syscall.SYS_MLOCKALL":                                 "syscall",
-	"syscall.SYS_MMAP":                                     "syscall",
-	"syscall.SYS_MMAP2":                                    "syscall",
-	"syscall.SYS_MODCTL":                                   "syscall",
-	"syscall.SYS_MODFIND":                                  "syscall",
-	"syscall.SYS_MODFNEXT":                                 "syscall",
-	"syscall.SYS_MODIFY_LDT":                               "syscall",
-	"syscall.SYS_MODNEXT":                                  "syscall",
-	"syscall.SYS_MODSTAT":                                  "syscall",
-	"syscall.SYS_MODWATCH":                                 "syscall",
-	"syscall.SYS_MOUNT":                                    "syscall",
-	"syscall.SYS_MOVE_PAGES":                               "syscall",
-	"syscall.SYS_MPROTECT":                                 "syscall",
-	"syscall.SYS_MPX":                                      "syscall",
-	"syscall.SYS_MQUERY":                                   "syscall",
-	"syscall.SYS_MQ_GETSETATTR":                            "syscall",
-	"syscall.SYS_MQ_NOTIFY":                                "syscall",
-	"syscall.SYS_MQ_OPEN":                                  "syscall",
-	"syscall.SYS_MQ_TIMEDRECEIVE":                          "syscall",
-	"syscall.SYS_MQ_TIMEDSEND":                             "syscall",
-	"syscall.SYS_MQ_UNLINK":                                "syscall",
-	"syscall.SYS_MREMAP":                                   "syscall",
-	"syscall.SYS_MSGCTL":                                   "syscall",
-	"syscall.SYS_MSGGET":                                   "syscall",
-	"syscall.SYS_MSGRCV":                                   "syscall",
-	"syscall.SYS_MSGRCV_NOCANCEL":                          "syscall",
-	"syscall.SYS_MSGSND":                                   "syscall",
-	"syscall.SYS_MSGSND_NOCANCEL":                          "syscall",
-	"syscall.SYS_MSGSYS":                                   "syscall",
-	"syscall.SYS_MSYNC":                                    "syscall",
-	"syscall.SYS_MSYNC_NOCANCEL":                           "syscall",
-	"syscall.SYS_MUNLOCK":                                  "syscall",
-	"syscall.SYS_MUNLOCKALL":                               "syscall",
-	"syscall.SYS_MUNMAP":                                   "syscall",
-	"syscall.SYS_NAME_TO_HANDLE_AT":                        "syscall",
-	"syscall.SYS_NANOSLEEP":                                "syscall",
-	"syscall.SYS_NEWFSTATAT":                               "syscall",
-	"syscall.SYS_NFSCLNT":                                  "syscall",
-	"syscall.SYS_NFSSERVCTL":                               "syscall",
-	"syscall.SYS_NFSSVC":                                   "syscall",
-	"syscall.SYS_NFSTAT":                                   "syscall",
-	"syscall.SYS_NICE":                                     "syscall",
-	"syscall.SYS_NLSTAT":                                   "syscall",
-	"syscall.SYS_NMOUNT":                                   "syscall",
-	"syscall.SYS_NSTAT":                                    "syscall",
-	"syscall.SYS_NTP_ADJTIME":                              "syscall",
-	"syscall.SYS_NTP_GETTIME":                              "syscall",
-	"syscall.SYS_OABI_SYSCALL_BASE":                        "syscall",
-	"syscall.SYS_OBREAK":                                   "syscall",
-	"syscall.SYS_OLDFSTAT":                                 "syscall",
-	"syscall.SYS_OLDLSTAT":                                 "syscall",
-	"syscall.SYS_OLDOLDUNAME":                              "syscall",
-	"syscall.SYS_OLDSTAT":                                  "syscall",
-	"syscall.SYS_OLDUNAME":                                 "syscall",
-	"syscall.SYS_OPEN":                                     "syscall",
-	"syscall.SYS_OPENAT":                                   "syscall",
-	"syscall.SYS_OPENBSD_POLL":                             "syscall",
-	"syscall.SYS_OPEN_BY_HANDLE_AT":                        "syscall",
-	"syscall.SYS_OPEN_EXTENDED":                            "syscall",
-	"syscall.SYS_OPEN_NOCANCEL":                            "syscall",
-	"syscall.SYS_OVADVISE":                                 "syscall",
-	"syscall.SYS_PACCEPT":                                  "syscall",
-	"syscall.SYS_PATHCONF":                                 "syscall",
-	"syscall.SYS_PAUSE":                                    "syscall",
-	"syscall.SYS_PCICONFIG_IOBASE":                         "syscall",
-	"syscall.SYS_PCICONFIG_READ":                           "syscall",
-	"syscall.SYS_PCICONFIG_WRITE":                          "syscall",
-	"syscall.SYS_PDFORK":                                   "syscall",
-	"syscall.SYS_PDGETPID":                                 "syscall",
-	"syscall.SYS_PDKILL":                                   "syscall",
-	"syscall.SYS_PERF_EVENT_OPEN":                          "syscall",
-	"syscall.SYS_PERSONALITY":                              "syscall",
-	"syscall.SYS_PID_HIBERNATE":                            "syscall",
-	"syscall.SYS_PID_RESUME":                               "syscall",
-	"syscall.SYS_PID_SHUTDOWN_SOCKETS":                     "syscall",
-	"syscall.SYS_PID_SUSPEND":                              "syscall",
-	"syscall.SYS_PIPE":                                     "syscall",
-	"syscall.SYS_PIPE2":                                    "syscall",
-	"syscall.SYS_PIVOT_ROOT":                               "syscall",
-	"syscall.SYS_PMC_CONTROL":                              "syscall",
-	"syscall.SYS_PMC_GET_INFO":                             "syscall",
-	"syscall.SYS_POLL":                                     "syscall",
-	"syscall.SYS_POLLTS":                                   "syscall",
-	"syscall.SYS_POLL_NOCANCEL":                            "syscall",
-	"syscall.SYS_POSIX_FADVISE":                            "syscall",
-	"syscall.SYS_POSIX_FALLOCATE":                          "syscall",
-	"syscall.SYS_POSIX_OPENPT":                             "syscall",
-	"syscall.SYS_POSIX_SPAWN":                              "syscall",
-	"syscall.SYS_PPOLL":                                    "syscall",
-	"syscall.SYS_PRCTL":                                    "syscall",
-	"syscall.SYS_PREAD":                                    "syscall",
-	"syscall.SYS_PREAD64":                                  "syscall",
-	"syscall.SYS_PREADV":                                   "syscall",
-	"syscall.SYS_PREAD_NOCANCEL":                           "syscall",
-	"syscall.SYS_PRLIMIT64":                                "syscall",
-	"syscall.SYS_PROCCTL":                                  "syscall",
-	"syscall.SYS_PROCESS_POLICY":                           "syscall",
-	"syscall.SYS_PROCESS_VM_READV":                         "syscall",
-	"syscall.SYS_PROCESS_VM_WRITEV":                        "syscall",
-	"syscall.SYS_PROC_INFO":                                "syscall",
-	"syscall.SYS_PROF":                                     "syscall",
-	"syscall.SYS_PROFIL":                                   "syscall",
-	"syscall.SYS_PSELECT":                                  "syscall",
-	"syscall.SYS_PSELECT6":                                 "syscall",
-	"syscall.SYS_PSET_ASSIGN":                              "syscall",
-	"syscall.SYS_PSET_CREATE":                              "syscall",
-	"syscall.SYS_PSET_DESTROY":                             "syscall",
-	"syscall.SYS_PSYNCH_CVBROAD":                           "syscall",
-	"syscall.SYS_PSYNCH_CVCLRPREPOST":                      "syscall",
-	"syscall.SYS_PSYNCH_CVSIGNAL":                          "syscall",
-	"syscall.SYS_PSYNCH_CVWAIT":                            "syscall",
-	"syscall.SYS_PSYNCH_MUTEXDROP":                         "syscall",
-	"syscall.SYS_PSYNCH_MUTEXWAIT":                         "syscall",
-	"syscall.SYS_PSYNCH_RW_DOWNGRADE":                      "syscall",
-	"syscall.SYS_PSYNCH_RW_LONGRDLOCK":                     "syscall",
-	"syscall.SYS_PSYNCH_RW_RDLOCK":                         "syscall",
-	"syscall.SYS_PSYNCH_RW_UNLOCK":                         "syscall",
-	"syscall.SYS_PSYNCH_RW_UNLOCK2":                        "syscall",
-	"syscall.SYS_PSYNCH_RW_UPGRADE":                        "syscall",
-	"syscall.SYS_PSYNCH_RW_WRLOCK":                         "syscall",
-	"syscall.SYS_PSYNCH_RW_YIELDWRLOCK":                    "syscall",
-	"syscall.SYS_PTRACE":                                   "syscall",
-	"syscall.SYS_PUTPMSG":                                  "syscall",
-	"syscall.SYS_PWRITE":                                   "syscall",
-	"syscall.SYS_PWRITE64":                                 "syscall",
-	"syscall.SYS_PWRITEV":                                  "syscall",
-	"syscall.SYS_PWRITE_NOCANCEL":                          "syscall",
-	"syscall.SYS_QUERY_MODULE":                             "syscall",
-	"syscall.SYS_QUOTACTL":                                 "syscall",
-	"syscall.SYS_RASCTL":                                   "syscall",
-	"syscall.SYS_RCTL_ADD_RULE":                            "syscall",
-	"syscall.SYS_RCTL_GET_LIMITS":                          "syscall",
-	"syscall.SYS_RCTL_GET_RACCT":                           "syscall",
-	"syscall.SYS_RCTL_GET_RULES":                           "syscall",
-	"syscall.SYS_RCTL_REMOVE_RULE":                         "syscall",
-	"syscall.SYS_READ":                                     "syscall",
-	"syscall.SYS_READAHEAD":                                "syscall",
-	"syscall.SYS_READDIR":                                  "syscall",
-	"syscall.SYS_READLINK":                                 "syscall",
-	"syscall.SYS_READLINKAT":                               "syscall",
-	"syscall.SYS_READV":                                    "syscall",
-	"syscall.SYS_READV_NOCANCEL":                           "syscall",
-	"syscall.SYS_READ_NOCANCEL":                            "syscall",
-	"syscall.SYS_REBOOT":                                   "syscall",
-	"syscall.SYS_RECV":                                     "syscall",
-	"syscall.SYS_RECVFROM":                                 "syscall",
-	"syscall.SYS_RECVFROM_NOCANCEL":                        "syscall",
-	"syscall.SYS_RECVMMSG":                                 "syscall",
-	"syscall.SYS_RECVMSG":                                  "syscall",
-	"syscall.SYS_RECVMSG_NOCANCEL":                         "syscall",
-	"syscall.SYS_REMAP_FILE_PAGES":                         "syscall",
-	"syscall.SYS_REMOVEXATTR":                              "syscall",
-	"syscall.SYS_RENAME":                                   "syscall",
-	"syscall.SYS_RENAMEAT":                                 "syscall",
-	"syscall.SYS_REQUEST_KEY":                              "syscall",
-	"syscall.SYS_RESTART_SYSCALL":                          "syscall",
-	"syscall.SYS_REVOKE":                                   "syscall",
-	"syscall.SYS_RFORK":                                    "syscall",
-	"syscall.SYS_RMDIR":                                    "syscall",
-	"syscall.SYS_RTPRIO":                                   "syscall",
-	"syscall.SYS_RTPRIO_THREAD":                            "syscall",
-	"syscall.SYS_RT_SIGACTION":                             "syscall",
-	"syscall.SYS_RT_SIGPENDING":                            "syscall",
-	"syscall.SYS_RT_SIGPROCMASK":                           "syscall",
-	"syscall.SYS_RT_SIGQUEUEINFO":                          "syscall",
-	"syscall.SYS_RT_SIGRETURN":                             "syscall",
-	"syscall.SYS_RT_SIGSUSPEND":                            "syscall",
-	"syscall.SYS_RT_SIGTIMEDWAIT":                          "syscall",
-	"syscall.SYS_RT_TGSIGQUEUEINFO":                        "syscall",
-	"syscall.SYS_SBRK":                                     "syscall",
-	"syscall.SYS_SCHED_GETAFFINITY":                        "syscall",
-	"syscall.SYS_SCHED_GETPARAM":                           "syscall",
-	"syscall.SYS_SCHED_GETSCHEDULER":                       "syscall",
-	"syscall.SYS_SCHED_GET_PRIORITY_MAX":                   "syscall",
-	"syscall.SYS_SCHED_GET_PRIORITY_MIN":                   "syscall",
-	"syscall.SYS_SCHED_RR_GET_INTERVAL":                    "syscall",
-	"syscall.SYS_SCHED_SETAFFINITY":                        "syscall",
-	"syscall.SYS_SCHED_SETPARAM":                           "syscall",
-	"syscall.SYS_SCHED_SETSCHEDULER":                       "syscall",
-	"syscall.SYS_SCHED_YIELD":                              "syscall",
-	"syscall.SYS_SCTP_GENERIC_RECVMSG":                     "syscall",
-	"syscall.SYS_SCTP_GENERIC_SENDMSG":                     "syscall",
-	"syscall.SYS_SCTP_GENERIC_SENDMSG_IOV":                 "syscall",
-	"syscall.SYS_SCTP_PEELOFF":                             "syscall",
-	"syscall.SYS_SEARCHFS":                                 "syscall",
-	"syscall.SYS_SECURITY":                                 "syscall",
-	"syscall.SYS_SELECT":                                   "syscall",
-	"syscall.SYS_SELECT_NOCANCEL":                          "syscall",
-	"syscall.SYS_SEMCONFIG":                                "syscall",
-	"syscall.SYS_SEMCTL":                                   "syscall",
-	"syscall.SYS_SEMGET":                                   "syscall",
-	"syscall.SYS_SEMOP":                                    "syscall",
-	"syscall.SYS_SEMSYS":                                   "syscall",
-	"syscall.SYS_SEMTIMEDOP":                               "syscall",
-	"syscall.SYS_SEM_CLOSE":                                "syscall",
-	"syscall.SYS_SEM_DESTROY":                              "syscall",
-	"syscall.SYS_SEM_GETVALUE":                             "syscall",
-	"syscall.SYS_SEM_INIT":                                 "syscall",
-	"syscall.SYS_SEM_OPEN":                                 "syscall",
-	"syscall.SYS_SEM_POST":                                 "syscall",
-	"syscall.SYS_SEM_TRYWAIT":                              "syscall",
-	"syscall.SYS_SEM_UNLINK":                               "syscall",
-	"syscall.SYS_SEM_WAIT":                                 "syscall",
-	"syscall.SYS_SEM_WAIT_NOCANCEL":                        "syscall",
-	"syscall.SYS_SEND":                                     "syscall",
-	"syscall.SYS_SENDFILE":                                 "syscall",
-	"syscall.SYS_SENDFILE64":                               "syscall",
-	"syscall.SYS_SENDMMSG":                                 "syscall",
-	"syscall.SYS_SENDMSG":                                  "syscall",
-	"syscall.SYS_SENDMSG_NOCANCEL":                         "syscall",
-	"syscall.SYS_SENDTO":                                   "syscall",
-	"syscall.SYS_SENDTO_NOCANCEL":                          "syscall",
-	"syscall.SYS_SETATTRLIST":                              "syscall",
-	"syscall.SYS_SETAUDIT":                                 "syscall",
-	"syscall.SYS_SETAUDIT_ADDR":                            "syscall",
-	"syscall.SYS_SETAUID":                                  "syscall",
-	"syscall.SYS_SETCONTEXT":                               "syscall",
-	"syscall.SYS_SETDOMAINNAME":                            "syscall",
-	"syscall.SYS_SETEGID":                                  "syscall",
-	"syscall.SYS_SETEUID":                                  "syscall",
-	"syscall.SYS_SETFIB":                                   "syscall",
-	"syscall.SYS_SETFSGID":                                 "syscall",
-	"syscall.SYS_SETFSGID32":                               "syscall",
-	"syscall.SYS_SETFSUID":                                 "syscall",
-	"syscall.SYS_SETFSUID32":                               "syscall",
-	"syscall.SYS_SETGID":                                   "syscall",
-	"syscall.SYS_SETGID32":                                 "syscall",
-	"syscall.SYS_SETGROUPS":                                "syscall",
-	"syscall.SYS_SETGROUPS32":                              "syscall",
-	"syscall.SYS_SETHOSTNAME":                              "syscall",
-	"syscall.SYS_SETITIMER":                                "syscall",
-	"syscall.SYS_SETLCID":                                  "syscall",
-	"syscall.SYS_SETLOGIN":                                 "syscall",
-	"syscall.SYS_SETLOGINCLASS":                            "syscall",
-	"syscall.SYS_SETNS":                                    "syscall",
-	"syscall.SYS_SETPGID":                                  "syscall",
-	"syscall.SYS_SETPRIORITY":                              "syscall",
-	"syscall.SYS_SETPRIVEXEC":                              "syscall",
-	"syscall.SYS_SETREGID":                                 "syscall",
-	"syscall.SYS_SETREGID32":                               "syscall",
-	"syscall.SYS_SETRESGID":                                "syscall",
-	"syscall.SYS_SETRESGID32":                              "syscall",
-	"syscall.SYS_SETRESUID":                                "syscall",
-	"syscall.SYS_SETRESUID32":                              "syscall",
-	"syscall.SYS_SETREUID":                                 "syscall",
-	"syscall.SYS_SETREUID32":                               "syscall",
-	"syscall.SYS_SETRLIMIT":                                "syscall",
-	"syscall.SYS_SETRTABLE":                                "syscall",
-	"syscall.SYS_SETSGROUPS":                               "syscall",
-	"syscall.SYS_SETSID":                                   "syscall",
-	"syscall.SYS_SETSOCKOPT":                               "syscall",
-	"syscall.SYS_SETTID":                                   "syscall",
-	"syscall.SYS_SETTID_WITH_PID":                          "syscall",
-	"syscall.SYS_SETTIMEOFDAY":                             "syscall",
-	"syscall.SYS_SETUID":                                   "syscall",
-	"syscall.SYS_SETUID32":                                 "syscall",
-	"syscall.SYS_SETWGROUPS":                               "syscall",
-	"syscall.SYS_SETXATTR":                                 "syscall",
-	"syscall.SYS_SET_MEMPOLICY":                            "syscall",
-	"syscall.SYS_SET_ROBUST_LIST":                          "syscall",
-	"syscall.SYS_SET_THREAD_AREA":                          "syscall",
-	"syscall.SYS_SET_TID_ADDRESS":                          "syscall",
-	"syscall.SYS_SGETMASK":                                 "syscall",
-	"syscall.SYS_SHARED_REGION_CHECK_NP":                   "syscall",
-	"syscall.SYS_SHARED_REGION_MAP_AND_SLIDE_NP":           "syscall",
-	"syscall.SYS_SHMAT":                                    "syscall",
-	"syscall.SYS_SHMCTL":                                   "syscall",
-	"syscall.SYS_SHMDT":                                    "syscall",
-	"syscall.SYS_SHMGET":                                   "syscall",
-	"syscall.SYS_SHMSYS":                                   "syscall",
-	"syscall.SYS_SHM_OPEN":                                 "syscall",
-	"syscall.SYS_SHM_UNLINK":                               "syscall",
-	"syscall.SYS_SHUTDOWN":                                 "syscall",
-	"syscall.SYS_SIGACTION":                                "syscall",
-	"syscall.SYS_SIGALTSTACK":                              "syscall",
-	"syscall.SYS_SIGNAL":                                   "syscall",
-	"syscall.SYS_SIGNALFD":                                 "syscall",
-	"syscall.SYS_SIGNALFD4":                                "syscall",
-	"syscall.SYS_SIGPENDING":                               "syscall",
-	"syscall.SYS_SIGPROCMASK":                              "syscall",
-	"syscall.SYS_SIGQUEUE":                                 "syscall",
-	"syscall.SYS_SIGQUEUEINFO":                             "syscall",
-	"syscall.SYS_SIGRETURN":                                "syscall",
-	"syscall.SYS_SIGSUSPEND":                               "syscall",
-	"syscall.SYS_SIGSUSPEND_NOCANCEL":                      "syscall",
-	"syscall.SYS_SIGTIMEDWAIT":                             "syscall",
-	"syscall.SYS_SIGWAIT":                                  "syscall",
-	"syscall.SYS_SIGWAITINFO":                              "syscall",
-	"syscall.SYS_SOCKET":                                   "syscall",
-	"syscall.SYS_SOCKETCALL":                               "syscall",
-	"syscall.SYS_SOCKETPAIR":                               "syscall",
-	"syscall.SYS_SPLICE":                                   "syscall",
-	"syscall.SYS_SSETMASK":                                 "syscall",
-	"syscall.SYS_SSTK":                                     "syscall",
-	"syscall.SYS_STACK_SNAPSHOT":                           "syscall",
-	"syscall.SYS_STAT":                                     "syscall",
-	"syscall.SYS_STAT64":                                   "syscall",
-	"syscall.SYS_STAT64_EXTENDED":                          "syscall",
-	"syscall.SYS_STATFS":                                   "syscall",
-	"syscall.SYS_STATFS64":                                 "syscall",
-	"syscall.SYS_STATV":                                    "syscall",
-	"syscall.SYS_STATVFS1":                                 "syscall",
-	"syscall.SYS_STAT_EXTENDED":                            "syscall",
-	"syscall.SYS_STIME":                                    "syscall",
-	"syscall.SYS_STTY":                                     "syscall",
-	"syscall.SYS_SWAPCONTEXT":                              "syscall",
-	"syscall.SYS_SWAPCTL":                                  "syscall",
-	"syscall.SYS_SWAPOFF":                                  "syscall",
-	"syscall.SYS_SWAPON":                                   "syscall",
-	"syscall.SYS_SYMLINK":                                  "syscall",
-	"syscall.SYS_SYMLINKAT":                                "syscall",
-	"syscall.SYS_SYNC":                                     "syscall",
-	"syscall.SYS_SYNCFS":                                   "syscall",
-	"syscall.SYS_SYNC_FILE_RANGE":                          "syscall",
-	"syscall.SYS_SYSARCH":                                  "syscall",
-	"syscall.SYS_SYSCALL":                                  "syscall",
-	"syscall.SYS_SYSCALL_BASE":                             "syscall",
-	"syscall.SYS_SYSFS":                                    "syscall",
-	"syscall.SYS_SYSINFO":                                  "syscall",
-	"syscall.SYS_SYSLOG":                                   "syscall",
-	"syscall.SYS_TEE":                                      "syscall",
-	"syscall.SYS_TGKILL":                                   "syscall",
-	"syscall.SYS_THREAD_SELFID":                            "syscall",
-	"syscall.SYS_THR_CREATE":                               "syscall",
-	"syscall.SYS_THR_EXIT":                                 "syscall",
-	"syscall.SYS_THR_KILL":                                 "syscall",
-	"syscall.SYS_THR_KILL2":                                "syscall",
-	"syscall.SYS_THR_NEW":                                  "syscall",
-	"syscall.SYS_THR_SELF":                                 "syscall",
-	"syscall.SYS_THR_SET_NAME":                             "syscall",
-	"syscall.SYS_THR_SUSPEND":                              "syscall",
-	"syscall.SYS_THR_WAKE":                                 "syscall",
-	"syscall.SYS_TIME":                                     "syscall",
-	"syscall.SYS_TIMERFD_CREATE":                           "syscall",
-	"syscall.SYS_TIMERFD_GETTIME":                          "syscall",
-	"syscall.SYS_TIMERFD_SETTIME":                          "syscall",
-	"syscall.SYS_TIMER_CREATE":                             "syscall",
-	"syscall.SYS_TIMER_DELETE":                             "syscall",
-	"syscall.SYS_TIMER_GETOVERRUN":                         "syscall",
-	"syscall.SYS_TIMER_GETTIME":                            "syscall",
-	"syscall.SYS_TIMER_SETTIME":                            "syscall",
-	"syscall.SYS_TIMES":                                    "syscall",
-	"syscall.SYS_TKILL":                                    "syscall",
-	"syscall.SYS_TRUNCATE":                                 "syscall",
-	"syscall.SYS_TRUNCATE64":                               "syscall",
-	"syscall.SYS_TUXCALL":                                  "syscall",
-	"syscall.SYS_UGETRLIMIT":                               "syscall",
-	"syscall.SYS_ULIMIT":                                   "syscall",
-	"syscall.SYS_UMASK":                                    "syscall",
-	"syscall.SYS_UMASK_EXTENDED":                           "syscall",
-	"syscall.SYS_UMOUNT":                                   "syscall",
-	"syscall.SYS_UMOUNT2":                                  "syscall",
-	"syscall.SYS_UNAME":                                    "syscall",
-	"syscall.SYS_UNDELETE":                                 "syscall",
-	"syscall.SYS_UNLINK":                                   "syscall",
-	"syscall.SYS_UNLINKAT":                                 "syscall",
-	"syscall.SYS_UNMOUNT":                                  "syscall",
-	"syscall.SYS_UNSHARE":                                  "syscall",
-	"syscall.SYS_USELIB":                                   "syscall",
-	"syscall.SYS_USTAT":                                    "syscall",
-	"syscall.SYS_UTIME":                                    "syscall",
-	"syscall.SYS_UTIMENSAT":                                "syscall",
-	"syscall.SYS_UTIMES":                                   "syscall",
-	"syscall.SYS_UTRACE":                                   "syscall",
-	"syscall.SYS_UUIDGEN":                                  "syscall",
-	"syscall.SYS_VADVISE":                                  "syscall",
-	"syscall.SYS_VFORK":                                    "syscall",
-	"syscall.SYS_VHANGUP":                                  "syscall",
-	"syscall.SYS_VM86":                                     "syscall",
-	"syscall.SYS_VM86OLD":                                  "syscall",
-	"syscall.SYS_VMSPLICE":                                 "syscall",
-	"syscall.SYS_VM_PRESSURE_MONITOR":                      "syscall",
-	"syscall.SYS_VSERVER":                                  "syscall",
-	"syscall.SYS_WAIT4":                                    "syscall",
-	"syscall.SYS_WAIT4_NOCANCEL":                           "syscall",
-	"syscall.SYS_WAIT6":                                    "syscall",
-	"syscall.SYS_WAITEVENT":                                "syscall",
-	"syscall.SYS_WAITID":                                   "syscall",
-	"syscall.SYS_WAITID_NOCANCEL":                          "syscall",
-	"syscall.SYS_WAITPID":                                  "syscall",
-	"syscall.SYS_WATCHEVENT":                               "syscall",
-	"syscall.SYS_WORKQ_KERNRETURN":                         "syscall",
-	"syscall.SYS_WORKQ_OPEN":                               "syscall",
-	"syscall.SYS_WRITE":                                    "syscall",
-	"syscall.SYS_WRITEV":                                   "syscall",
-	"syscall.SYS_WRITEV_NOCANCEL":                          "syscall",
-	"syscall.SYS_WRITE_NOCANCEL":                           "syscall",
-	"syscall.SYS_YIELD":                                    "syscall",
-	"syscall.SYS__LLSEEK":                                  "syscall",
-	"syscall.SYS__LWP_CONTINUE":                            "syscall",
-	"syscall.SYS__LWP_CREATE":                              "syscall",
-	"syscall.SYS__LWP_CTL":                                 "syscall",
-	"syscall.SYS__LWP_DETACH":                              "syscall",
-	"syscall.SYS__LWP_EXIT":                                "syscall",
-	"syscall.SYS__LWP_GETNAME":                             "syscall",
-	"syscall.SYS__LWP_GETPRIVATE":                          "syscall",
-	"syscall.SYS__LWP_KILL":                                "syscall",
-	"syscall.SYS__LWP_PARK":                                "syscall",
-	"syscall.SYS__LWP_SELF":                                "syscall",
-	"syscall.SYS__LWP_SETNAME":                             "syscall",
-	"syscall.SYS__LWP_SETPRIVATE":                          "syscall",
-	"syscall.SYS__LWP_SUSPEND":                             "syscall",
-	"syscall.SYS__LWP_UNPARK":                              "syscall",
-	"syscall.SYS__LWP_UNPARK_ALL":                          "syscall",
-	"syscall.SYS__LWP_WAIT":                                "syscall",
-	"syscall.SYS__LWP_WAKEUP":                              "syscall",
-	"syscall.SYS__NEWSELECT":                               "syscall",
-	"syscall.SYS__PSET_BIND":                               "syscall",
-	"syscall.SYS__SCHED_GETAFFINITY":                       "syscall",
-	"syscall.SYS__SCHED_GETPARAM":                          "syscall",
-	"syscall.SYS__SCHED_SETAFFINITY":                       "syscall",
-	"syscall.SYS__SCHED_SETPARAM":                          "syscall",
-	"syscall.SYS__SYSCTL":                                  "syscall",
-	"syscall.SYS__UMTX_LOCK":                               "syscall",
-	"syscall.SYS__UMTX_OP":                                 "syscall",
-	"syscall.SYS__UMTX_UNLOCK":                             "syscall",
-	"syscall.SYS___ACL_ACLCHECK_FD":                        "syscall",
-	"syscall.SYS___ACL_ACLCHECK_FILE":                      "syscall",
-	"syscall.SYS___ACL_ACLCHECK_LINK":                      "syscall",
-	"syscall.SYS___ACL_DELETE_FD":                          "syscall",
-	"syscall.SYS___ACL_DELETE_FILE":                        "syscall",
-	"syscall.SYS___ACL_DELETE_LINK":                        "syscall",
-	"syscall.SYS___ACL_GET_FD":                             "syscall",
-	"syscall.SYS___ACL_GET_FILE":                           "syscall",
-	"syscall.SYS___ACL_GET_LINK":                           "syscall",
-	"syscall.SYS___ACL_SET_FD":                             "syscall",
-	"syscall.SYS___ACL_SET_FILE":                           "syscall",
-	"syscall.SYS___ACL_SET_LINK":                           "syscall",
-	"syscall.SYS___CLONE":                                  "syscall",
-	"syscall.SYS___DISABLE_THREADSIGNAL":                   "syscall",
-	"syscall.SYS___GETCWD":                                 "syscall",
-	"syscall.SYS___GETLOGIN":                               "syscall",
-	"syscall.SYS___GET_TCB":                                "syscall",
-	"syscall.SYS___MAC_EXECVE":                             "syscall",
-	"syscall.SYS___MAC_GETFSSTAT":                          "syscall",
-	"syscall.SYS___MAC_GET_FD":                             "syscall",
-	"syscall.SYS___MAC_GET_FILE":                           "syscall",
-	"syscall.SYS___MAC_GET_LCID":                           "syscall",
-	"syscall.SYS___MAC_GET_LCTX":                           "syscall",
-	"syscall.SYS___MAC_GET_LINK":                           "syscall",
-	"syscall.SYS___MAC_GET_MOUNT":                          "syscall",
-	"syscall.SYS___MAC_GET_PID":                            "syscall",
-	"syscall.SYS___MAC_GET_PROC":                           "syscall",
-	"syscall.SYS___MAC_MOUNT":                              "syscall",
-	"syscall.SYS___MAC_SET_FD":                             "syscall",
-	"syscall.SYS___MAC_SET_FILE":                           "syscall",
-	"syscall.SYS___MAC_SET_LCTX":                           "syscall",
-	"syscall.SYS___MAC_SET_LINK":                           "syscall",
-	"syscall.SYS___MAC_SET_PROC":                           "syscall",
-	"syscall.SYS___MAC_SYSCALL":                            "syscall",
-	"syscall.SYS___OLD_SEMWAIT_SIGNAL":                     "syscall",
-	"syscall.SYS___OLD_SEMWAIT_SIGNAL_NOCANCEL":            "syscall",
-	"syscall.SYS___POSIX_CHOWN":                            "syscall",
-	"syscall.SYS___POSIX_FCHOWN":                           "syscall",
-	"syscall.SYS___POSIX_LCHOWN":                           "syscall",
-	"syscall.SYS___POSIX_RENAME":                           "syscall",
-	"syscall.SYS___PTHREAD_CANCELED":                       "syscall",
-	"syscall.SYS___PTHREAD_CHDIR":                          "syscall",
-	"syscall.SYS___PTHREAD_FCHDIR":                         "syscall",
-	"syscall.SYS___PTHREAD_KILL":                           "syscall",
-	"syscall.SYS___PTHREAD_MARKCANCEL":                     "syscall",
-	"syscall.SYS___PTHREAD_SIGMASK":                        "syscall",
-	"syscall.SYS___QUOTACTL":                               "syscall",
-	"syscall.SYS___SEMCTL":                                 "syscall",
-	"syscall.SYS___SEMWAIT_SIGNAL":                         "syscall",
-	"syscall.SYS___SEMWAIT_SIGNAL_NOCANCEL":                "syscall",
-	"syscall.SYS___SETLOGIN":                               "syscall",
-	"syscall.SYS___SETUGID":                                "syscall",
-	"syscall.SYS___SET_TCB":                                "syscall",
-	"syscall.SYS___SIGACTION_SIGTRAMP":                     "syscall",
-	"syscall.SYS___SIGTIMEDWAIT":                           "syscall",
-	"syscall.SYS___SIGWAIT":                                "syscall",
-	"syscall.SYS___SIGWAIT_NOCANCEL":                       "syscall",
-	"syscall.SYS___SYSCTL":                                 "syscall",
-	"syscall.SYS___TFORK":                                  "syscall",
-	"syscall.SYS___THREXIT":                                "syscall",
-	"syscall.SYS___THRSIGDIVERT":                           "syscall",
-	"syscall.SYS___THRSLEEP":                               "syscall",
-	"syscall.SYS___THRWAKEUP":                              "syscall",
-	"syscall.S_ARCH1":                                      "syscall",
-	"syscall.S_ARCH2":                                      "syscall",
-	"syscall.S_BLKSIZE":                                    "syscall",
-	"syscall.S_IEXEC":                                      "syscall",
-	"syscall.S_IFBLK":                                      "syscall",
-	"syscall.S_IFCHR":                                      "syscall",
-	"syscall.S_IFDIR":                                      "syscall",
-	"syscall.S_IFIFO":                                      "syscall",
-	"syscall.S_IFLNK":                                      "syscall",
-	"syscall.S_IFMT":                                       "syscall",
-	"syscall.S_IFREG":                                      "syscall",
-	"syscall.S_IFSOCK":                                     "syscall",
-	"syscall.S_IFWHT":                                      "syscall",
-	"syscall.S_IREAD":                                      "syscall",
-	"syscall.S_IRGRP":                                      "syscall",
-	"syscall.S_IROTH":                                      "syscall",
-	"syscall.S_IRUSR":                                      "syscall",
-	"syscall.S_IRWXG":                                      "syscall",
-	"syscall.S_IRWXO":                                      "syscall",
-	"syscall.S_IRWXU":                                      "syscall",
-	"syscall.S_ISGID":                                      "syscall",
-	"syscall.S_ISTXT":                                      "syscall",
-	"syscall.S_ISUID":                                      "syscall",
-	"syscall.S_ISVTX":                                      "syscall",
-	"syscall.S_IWGRP":                                      "syscall",
-	"syscall.S_IWOTH":                                      "syscall",
-	"syscall.S_IWRITE":                                     "syscall",
-	"syscall.S_IWUSR":                                      "syscall",
-	"syscall.S_IXGRP":                                      "syscall",
-	"syscall.S_IXOTH":                                      "syscall",
-	"syscall.S_IXUSR":                                      "syscall",
-	"syscall.S_LOGIN_SET":                                  "syscall",
-	"syscall.SecurityAttributes":                           "syscall",
-	"syscall.Seek":                                         "syscall",
-	"syscall.Select":                                       "syscall",
-	"syscall.Sendfile":                                     "syscall",
-	"syscall.Sendmsg":                                      "syscall",
-	"syscall.SendmsgN":                                     "syscall",
-	"syscall.Sendto":                                       "syscall",
-	"syscall.Servent":                                      "syscall",
-	"syscall.SetBpf":                                       "syscall",
-	"syscall.SetBpfBuflen":                                 "syscall",
-	"syscall.SetBpfDatalink":                               "syscall",
-	"syscall.SetBpfHeadercmpl":                             "syscall",
-	"syscall.SetBpfImmediate":                              "syscall",
-	"syscall.SetBpfInterface":                              "syscall",
-	"syscall.SetBpfPromisc":                                "syscall",
-	"syscall.SetBpfTimeout":                                "syscall",
-	"syscall.SetCurrentDirectory":                          "syscall",
-	"syscall.SetEndOfFile":                                 "syscall",
-	"syscall.SetEnvironmentVariable":                       "syscall",
-	"syscall.SetFileAttributes":                            "syscall",
-	"syscall.SetFileCompletionNotificationModes":           "syscall",
-	"syscall.SetFilePointer":                               "syscall",
-	"syscall.SetFileTime":                                  "syscall",
-	"syscall.SetHandleInformation":                         "syscall",
-	"syscall.SetKevent":                                    "syscall",
-	"syscall.SetLsfPromisc":                                "syscall",
-	"syscall.SetNonblock":                                  "syscall",
-	"syscall.Setdomainname":                                "syscall",
-	"syscall.Setegid":                                      "syscall",
-	"syscall.Setenv":                                       "syscall",
-	"syscall.Seteuid":                                      "syscall",
-	"syscall.Setfsgid":                                     "syscall",
-	"syscall.Setfsuid":                                     "syscall",
-	"syscall.Setgid":                                       "syscall",
-	"syscall.Setgroups":                                    "syscall",
-	"syscall.Sethostname":                                  "syscall",
-	"syscall.Setlogin":                                     "syscall",
-	"syscall.Setpgid":                                      "syscall",
-	"syscall.Setpriority":                                  "syscall",
-	"syscall.Setprivexec":                                  "syscall",
-	"syscall.Setregid":                                     "syscall",
-	"syscall.Setresgid":                                    "syscall",
-	"syscall.Setresuid":                                    "syscall",
-	"syscall.Setreuid":                                     "syscall",
-	"syscall.Setrlimit":                                    "syscall",
-	"syscall.Setsid":                                       "syscall",
-	"syscall.Setsockopt":                                   "syscall",
-	"syscall.SetsockoptByte":                               "syscall",
-	"syscall.SetsockoptICMPv6Filter":                       "syscall",
-	"syscall.SetsockoptIPMreq":                             "syscall",
-	"syscall.SetsockoptIPMreqn":                            "syscall",
-	"syscall.SetsockoptIPv6Mreq":                           "syscall",
-	"syscall.SetsockoptInet4Addr":                          "syscall",
-	"syscall.SetsockoptInt":                                "syscall",
-	"syscall.SetsockoptLinger":                             "syscall",
-	"syscall.SetsockoptString":                             "syscall",
-	"syscall.SetsockoptTimeval":                            "syscall",
-	"syscall.Settimeofday":                                 "syscall",
-	"syscall.Setuid":                                       "syscall",
-	"syscall.Setxattr":                                     "syscall",
-	"syscall.Shutdown":                                     "syscall",
-	"syscall.SidTypeAlias":                                 "syscall",
-	"syscall.SidTypeComputer":                              "syscall",
-	"syscall.SidTypeDeletedAccount":                        "syscall",
-	"syscall.SidTypeDomain":                                "syscall",
-	"syscall.SidTypeGroup":                                 "syscall",
-	"syscall.SidTypeInvalid":                               "syscall",
-	"syscall.SidTypeLabel":                                 "syscall",
-	"syscall.SidTypeUnknown":                               "syscall",
-	"syscall.SidTypeUser":                                  "syscall",
-	"syscall.SidTypeWellKnownGroup":                        "syscall",
-	"syscall.Signal":                                       "syscall",
-	"syscall.SizeofBpfHdr":                                 "syscall",
-	"syscall.SizeofBpfInsn":                                "syscall",
-	"syscall.SizeofBpfProgram":                             "syscall",
-	"syscall.SizeofBpfStat":                                "syscall",
-	"syscall.SizeofBpfVersion":                             "syscall",
-	"syscall.SizeofBpfZbuf":                                "syscall",
-	"syscall.SizeofBpfZbufHeader":                          "syscall",
-	"syscall.SizeofCmsghdr":                                "syscall",
-	"syscall.SizeofICMPv6Filter":                           "syscall",
-	"syscall.SizeofIPMreq":                                 "syscall",
-	"syscall.SizeofIPMreqn":                                "syscall",
-	"syscall.SizeofIPv6MTUInfo":                            "syscall",
-	"syscall.SizeofIPv6Mreq":                               "syscall",
-	"syscall.SizeofIfAddrmsg":                              "syscall",
-	"syscall.SizeofIfAnnounceMsghdr":                       "syscall",
-	"syscall.SizeofIfData":                                 "syscall",
-	"syscall.SizeofIfInfomsg":                              "syscall",
-	"syscall.SizeofIfMsghdr":                               "syscall",
-	"syscall.SizeofIfaMsghdr":                              "syscall",
-	"syscall.SizeofIfmaMsghdr":                             "syscall",
-	"syscall.SizeofIfmaMsghdr2":                            "syscall",
-	"syscall.SizeofInet4Pktinfo":                           "syscall",
-	"syscall.SizeofInet6Pktinfo":                           "syscall",
-	"syscall.SizeofInotifyEvent":                           "syscall",
-	"syscall.SizeofLinger":                                 "syscall",
-	"syscall.SizeofMsghdr":                                 "syscall",
-	"syscall.SizeofNlAttr":                                 "syscall",
-	"syscall.SizeofNlMsgerr":                               "syscall",
-	"syscall.SizeofNlMsghdr":                               "syscall",
-	"syscall.SizeofRtAttr":                                 "syscall",
-	"syscall.SizeofRtGenmsg":                               "syscall",
-	"syscall.SizeofRtMetrics":                              "syscall",
-	"syscall.SizeofRtMsg":                                  "syscall",
-	"syscall.SizeofRtMsghdr":                               "syscall",
-	"syscall.SizeofRtNexthop":                              "syscall",
-	"syscall.SizeofSockFilter":                             "syscall",
-	"syscall.SizeofSockFprog":                              "syscall",
-	"syscall.SizeofSockaddrAny":                            "syscall",
-	"syscall.SizeofSockaddrDatalink":                       "syscall",
-	"syscall.SizeofSockaddrInet4":                          "syscall",
-	"syscall.SizeofSockaddrInet6":                          "syscall",
-	"syscall.SizeofSockaddrLinklayer":                      "syscall",
-	"syscall.SizeofSockaddrNetlink":                        "syscall",
-	"syscall.SizeofSockaddrUnix":                           "syscall",
-	"syscall.SizeofTCPInfo":                                "syscall",
-	"syscall.SizeofUcred":                                  "syscall",
-	"syscall.SlicePtrFromStrings":                          "syscall",
-	"syscall.SockFilter":                                   "syscall",
-	"syscall.SockFprog":                                    "syscall",
-	"syscall.SockaddrDatalink":                             "syscall",
-	"syscall.SockaddrGen":                                  "syscall",
-	"syscall.SockaddrInet4":                                "syscall",
-	"syscall.SockaddrInet6":                                "syscall",
-	"syscall.SockaddrLinklayer":                            "syscall",
-	"syscall.SockaddrNetlink":                              "syscall",
-	"syscall.SockaddrUnix":                                 "syscall",
-	"syscall.Socket":                                       "syscall",
-	"syscall.SocketControlMessage":                         "syscall",
-	"syscall.SocketDisableIPv6":                            "syscall",
-	"syscall.Socketpair":                                   "syscall",
-	"syscall.Splice":                                       "syscall",
-	"syscall.StartProcess":                                 "syscall",
-	"syscall.StartupInfo":                                  "syscall",
-	"syscall.Stat":                                         "syscall",
-	"syscall.Stat_t":                                       "syscall",
-	"syscall.Statfs":                                       "syscall",
-	"syscall.Statfs_t":                                     "syscall",
-	"syscall.Stderr":                                       "syscall",
-	"syscall.Stdin":                                        "syscall",
-	"syscall.Stdout":                                       "syscall",
-	"syscall.StringBytePtr":                                "syscall",
-	"syscall.StringByteSlice":                              "syscall",
-	"syscall.StringSlicePtr":                               "syscall",
-	"syscall.StringToSid":                                  "syscall",
-	"syscall.StringToUTF16":                                "syscall",
-	"syscall.StringToUTF16Ptr":                             "syscall",
-	"syscall.Symlink":                                      "syscall",
-	"syscall.Sync":                                         "syscall",
-	"syscall.SyncFileRange":                                "syscall",
-	"syscall.SysProcAttr":                                  "syscall",
-	"syscall.SysProcIDMap":                                 "syscall",
-	"syscall.Syscall":                                      "syscall",
-	"syscall.Syscall12":                                    "syscall",
-	"syscall.Syscall15":                                    "syscall",
-	"syscall.Syscall6":                                     "syscall",
-	"syscall.Syscall9":                                     "syscall",
-	"syscall.Sysctl":                                       "syscall",
-	"syscall.SysctlUint32":                                 "syscall",
-	"syscall.Sysctlnode":                                   "syscall",
-	"syscall.Sysinfo":                                      "syscall",
-	"syscall.Sysinfo_t":                                    "syscall",
-	"syscall.Systemtime":                                   "syscall",
-	"syscall.TCGETS":                                       "syscall",
-	"syscall.TCIFLUSH":                                     "syscall",
-	"syscall.TCIOFLUSH":                                    "syscall",
-	"syscall.TCOFLUSH":                                     "syscall",
-	"syscall.TCPInfo":                                      "syscall",
-	"syscall.TCPKeepalive":                                 "syscall",
-	"syscall.TCP_CA_NAME_MAX":                              "syscall",
-	"syscall.TCP_CONGCTL":                                  "syscall",
-	"syscall.TCP_CONGESTION":                               "syscall",
-	"syscall.TCP_CONNECTIONTIMEOUT":                        "syscall",
-	"syscall.TCP_CORK":                                     "syscall",
-	"syscall.TCP_DEFER_ACCEPT":                             "syscall",
-	"syscall.TCP_INFO":                                     "syscall",
-	"syscall.TCP_KEEPALIVE":                                "syscall",
-	"syscall.TCP_KEEPCNT":                                  "syscall",
-	"syscall.TCP_KEEPIDLE":                                 "syscall",
-	"syscall.TCP_KEEPINIT":                                 "syscall",
-	"syscall.TCP_KEEPINTVL":                                "syscall",
-	"syscall.TCP_LINGER2":                                  "syscall",
-	"syscall.TCP_MAXBURST":                                 "syscall",
-	"syscall.TCP_MAXHLEN":                                  "syscall",
-	"syscall.TCP_MAXOLEN":                                  "syscall",
-	"syscall.TCP_MAXSEG":                                   "syscall",
-	"syscall.TCP_MAXWIN":                                   "syscall",
-	"syscall.TCP_MAX_SACK":                                 "syscall",
-	"syscall.TCP_MAX_WINSHIFT":                             "syscall",
-	"syscall.TCP_MD5SIG":                                   "syscall",
-	"syscall.TCP_MD5SIG_MAXKEYLEN":                         "syscall",
-	"syscall.TCP_MINMSS":                                   "syscall",
-	"syscall.TCP_MINMSSOVERLOAD":                           "syscall",
-	"syscall.TCP_MSS":                                      "syscall",
-	"syscall.TCP_NODELAY":                                  "syscall",
-	"syscall.TCP_NOOPT":                                    "syscall",
-	"syscall.TCP_NOPUSH":                                   "syscall",
-	"syscall.TCP_NSTATES":                                  "syscall",
-	"syscall.TCP_QUICKACK":                                 "syscall",
-	"syscall.TCP_RXT_CONNDROPTIME":                         "syscall",
-	"syscall.TCP_RXT_FINDROP":                              "syscall",
-	"syscall.TCP_SACK_ENABLE":                              "syscall",
-	"syscall.TCP_SYNCNT":                                   "syscall",
-	"syscall.TCP_VENDOR":                                   "syscall",
-	"syscall.TCP_WINDOW_CLAMP":                             "syscall",
-	"syscall.TCSAFLUSH":                                    "syscall",
-	"syscall.TCSETS":                                       "syscall",
-	"syscall.TF_DISCONNECT":                                "syscall",
-	"syscall.TF_REUSE_SOCKET":                              "syscall",
-	"syscall.TF_USE_DEFAULT_WORKER":                        "syscall",
-	"syscall.TF_USE_KERNEL_APC":                            "syscall",
-	"syscall.TF_USE_SYSTEM_THREAD":                         "syscall",
-	"syscall.TF_WRITE_BEHIND":                              "syscall",
-	"syscall.TH32CS_INHERIT":                               "syscall",
-	"syscall.TH32CS_SNAPALL":                               "syscall",
-	"syscall.TH32CS_SNAPHEAPLIST":                          "syscall",
-	"syscall.TH32CS_SNAPMODULE":                            "syscall",
-	"syscall.TH32CS_SNAPMODULE32":                          "syscall",
-	"syscall.TH32CS_SNAPPROCESS":                           "syscall",
-	"syscall.TH32CS_SNAPTHREAD":                            "syscall",
-	"syscall.TIME_ZONE_ID_DAYLIGHT":                        "syscall",
-	"syscall.TIME_ZONE_ID_STANDARD":                        "syscall",
-	"syscall.TIME_ZONE_ID_UNKNOWN":                         "syscall",
-	"syscall.TIOCCBRK":                                     "syscall",
-	"syscall.TIOCCDTR":                                     "syscall",
-	"syscall.TIOCCONS":                                     "syscall",
-	"syscall.TIOCDCDTIMESTAMP":                             "syscall",
-	"syscall.TIOCDRAIN":                                    "syscall",
-	"syscall.TIOCDSIMICROCODE":                             "syscall",
-	"syscall.TIOCEXCL":                                     "syscall",
-	"syscall.TIOCEXT":                                      "syscall",
-	"syscall.TIOCFLAG_CDTRCTS":                             "syscall",
-	"syscall.TIOCFLAG_CLOCAL":                              "syscall",
-	"syscall.TIOCFLAG_CRTSCTS":                             "syscall",
-	"syscall.TIOCFLAG_MDMBUF":                              "syscall",
-	"syscall.TIOCFLAG_PPS":                                 "syscall",
-	"syscall.TIOCFLAG_SOFTCAR":                             "syscall",
-	"syscall.TIOCFLUSH":                                    "syscall",
-	"syscall.TIOCGDEV":                                     "syscall",
-	"syscall.TIOCGDRAINWAIT":                               "syscall",
-	"syscall.TIOCGETA":                                     "syscall",
-	"syscall.TIOCGETD":                                     "syscall",
-	"syscall.TIOCGFLAGS":                                   "syscall",
-	"syscall.TIOCGICOUNT":                                  "syscall",
-	"syscall.TIOCGLCKTRMIOS":                               "syscall",
-	"syscall.TIOCGLINED":                                   "syscall",
-	"syscall.TIOCGPGRP":                                    "syscall",
-	"syscall.TIOCGPTN":                                     "syscall",
-	"syscall.TIOCGQSIZE":                                   "syscall",
-	"syscall.TIOCGRANTPT":                                  "syscall",
-	"syscall.TIOCGRS485":                                   "syscall",
-	"syscall.TIOCGSERIAL":                                  "syscall",
-	"syscall.TIOCGSID":                                     "syscall",
-	"syscall.TIOCGSIZE":                                    "syscall",
-	"syscall.TIOCGSOFTCAR":                                 "syscall",
-	"syscall.TIOCGTSTAMP":                                  "syscall",
-	"syscall.TIOCGWINSZ":                                   "syscall",
-	"syscall.TIOCINQ":                                      "syscall",
-	"syscall.TIOCIXOFF":                                    "syscall",
-	"syscall.TIOCIXON":                                     "syscall",
-	"syscall.TIOCLINUX":                                    "syscall",
-	"syscall.TIOCMBIC":                                     "syscall",
-	"syscall.TIOCMBIS":                                     "syscall",
-	"syscall.TIOCMGDTRWAIT":                                "syscall",
-	"syscall.TIOCMGET":                                     "syscall",
-	"syscall.TIOCMIWAIT":                                   "syscall",
-	"syscall.TIOCMODG":                                     "syscall",
-	"syscall.TIOCMODS":                                     "syscall",
-	"syscall.TIOCMSDTRWAIT":                                "syscall",
-	"syscall.TIOCMSET":                                     "syscall",
-	"syscall.TIOCM_CAR":                                    "syscall",
-	"syscall.TIOCM_CD":                                     "syscall",
-	"syscall.TIOCM_CTS":                                    "syscall",
-	"syscall.TIOCM_DCD":                                    "syscall",
-	"syscall.TIOCM_DSR":                                    "syscall",
-	"syscall.TIOCM_DTR":                                    "syscall",
-	"syscall.TIOCM_LE":                                     "syscall",
-	"syscall.TIOCM_RI":                                     "syscall",
-	"syscall.TIOCM_RNG":                                    "syscall",
-	"syscall.TIOCM_RTS":                                    "syscall",
-	"syscall.TIOCM_SR":                                     "syscall",
-	"syscall.TIOCM_ST":                                     "syscall",
-	"syscall.TIOCNOTTY":                                    "syscall",
-	"syscall.TIOCNXCL":                                     "syscall",
-	"syscall.TIOCOUTQ":                                     "syscall",
-	"syscall.TIOCPKT":                                      "syscall",
-	"syscall.TIOCPKT_DATA":                                 "syscall",
-	"syscall.TIOCPKT_DOSTOP":                               "syscall",
-	"syscall.TIOCPKT_FLUSHREAD":                            "syscall",
-	"syscall.TIOCPKT_FLUSHWRITE":                           "syscall",
-	"syscall.TIOCPKT_IOCTL":                                "syscall",
-	"syscall.TIOCPKT_NOSTOP":                               "syscall",
-	"syscall.TIOCPKT_START":                                "syscall",
-	"syscall.TIOCPKT_STOP":                                 "syscall",
-	"syscall.TIOCPTMASTER":                                 "syscall",
-	"syscall.TIOCPTMGET":                                   "syscall",
-	"syscall.TIOCPTSNAME":                                  "syscall",
-	"syscall.TIOCPTYGNAME":                                 "syscall",
-	"syscall.TIOCPTYGRANT":                                 "syscall",
-	"syscall.TIOCPTYUNLK":                                  "syscall",
-	"syscall.TIOCRCVFRAME":                                 "syscall",
-	"syscall.TIOCREMOTE":                                   "syscall",
-	"syscall.TIOCSBRK":                                     "syscall",
-	"syscall.TIOCSCONS":                                    "syscall",
-	"syscall.TIOCSCTTY":                                    "syscall",
-	"syscall.TIOCSDRAINWAIT":                               "syscall",
-	"syscall.TIOCSDTR":                                     "syscall",
-	"syscall.TIOCSERCONFIG":                                "syscall",
-	"syscall.TIOCSERGETLSR":                                "syscall",
-	"syscall.TIOCSERGETMULTI":                              "syscall",
-	"syscall.TIOCSERGSTRUCT":                               "syscall",
-	"syscall.TIOCSERGWILD":                                 "syscall",
-	"syscall.TIOCSERSETMULTI":                              "syscall",
-	"syscall.TIOCSERSWILD":                                 "syscall",
-	"syscall.TIOCSER_TEMT":                                 "syscall",
-	"syscall.TIOCSETA":                                     "syscall",
-	"syscall.TIOCSETAF":                                    "syscall",
-	"syscall.TIOCSETAW":                                    "syscall",
-	"syscall.TIOCSETD":                                     "syscall",
-	"syscall.TIOCSFLAGS":                                   "syscall",
-	"syscall.TIOCSIG":                                      "syscall",
-	"syscall.TIOCSLCKTRMIOS":                               "syscall",
-	"syscall.TIOCSLINED":                                   "syscall",
-	"syscall.TIOCSPGRP":                                    "syscall",
-	"syscall.TIOCSPTLCK":                                   "syscall",
-	"syscall.TIOCSQSIZE":                                   "syscall",
-	"syscall.TIOCSRS485":                                   "syscall",
-	"syscall.TIOCSSERIAL":                                  "syscall",
-	"syscall.TIOCSSIZE":                                    "syscall",
-	"syscall.TIOCSSOFTCAR":                                 "syscall",
-	"syscall.TIOCSTART":                                    "syscall",
-	"syscall.TIOCSTAT":                                     "syscall",
-	"syscall.TIOCSTI":                                      "syscall",
-	"syscall.TIOCSTOP":                                     "syscall",
-	"syscall.TIOCSTSTAMP":                                  "syscall",
-	"syscall.TIOCSWINSZ":                                   "syscall",
-	"syscall.TIOCTIMESTAMP":                                "syscall",
-	"syscall.TIOCUCNTL":                                    "syscall",
-	"syscall.TIOCVHANGUP":                                  "syscall",
-	"syscall.TIOCXMTFRAME":                                 "syscall",
-	"syscall.TOKEN_ADJUST_DEFAULT":                         "syscall",
-	"syscall.TOKEN_ADJUST_GROUPS":                          "syscall",
-	"syscall.TOKEN_ADJUST_PRIVILEGES":                      "syscall",
-	"syscall.TOKEN_ALL_ACCESS":                             "syscall",
-	"syscall.TOKEN_ASSIGN_PRIMARY":                         "syscall",
-	"syscall.TOKEN_DUPLICATE":                              "syscall",
-	"syscall.TOKEN_EXECUTE":                                "syscall",
-	"syscall.TOKEN_IMPERSONATE":                            "syscall",
-	"syscall.TOKEN_QUERY":                                  "syscall",
-	"syscall.TOKEN_QUERY_SOURCE":                           "syscall",
-	"syscall.TOKEN_READ":                                   "syscall",
-	"syscall.TOKEN_WRITE":                                  "syscall",
-	"syscall.TOSTOP":                                       "syscall",
-	"syscall.TRUNCATE_EXISTING":                            "syscall",
-	"syscall.TUNATTACHFILTER":                              "syscall",
-	"syscall.TUNDETACHFILTER":                              "syscall",
-	"syscall.TUNGETFEATURES":                               "syscall",
-	"syscall.TUNGETIFF":                                    "syscall",
-	"syscall.TUNGETSNDBUF":                                 "syscall",
-	"syscall.TUNGETVNETHDRSZ":                              "syscall",
-	"syscall.TUNSETDEBUG":                                  "syscall",
-	"syscall.TUNSETGROUP":                                  "syscall",
-	"syscall.TUNSETIFF":                                    "syscall",
-	"syscall.TUNSETLINK":                                   "syscall",
-	"syscall.TUNSETNOCSUM":                                 "syscall",
-	"syscall.TUNSETOFFLOAD":                                "syscall",
-	"syscall.TUNSETOWNER":                                  "syscall",
-	"syscall.TUNSETPERSIST":                                "syscall",
-	"syscall.TUNSETSNDBUF":                                 "syscall",
-	"syscall.TUNSETTXFILTER":                               "syscall",
-	"syscall.TUNSETVNETHDRSZ":                              "syscall",
-	"syscall.Tee":                                          "syscall",
-	"syscall.TerminateProcess":                             "syscall",
-	"syscall.Termios":                                      "syscall",
-	"syscall.Tgkill":                                       "syscall",
-	"syscall.Time":                                         "syscall",
-	"syscall.Time_t":                                       "syscall",
-	"syscall.Times":                                        "syscall",
-	"syscall.Timespec":                                     "syscall",
-	"syscall.TimespecToNsec":                               "syscall",
-	"syscall.Timeval":                                      "syscall",
-	"syscall.Timeval32":                                    "syscall",
-	"syscall.TimevalToNsec":                                "syscall",
-	"syscall.Timex":                                        "syscall",
-	"syscall.Timezoneinformation":                          "syscall",
-	"syscall.Tms":                                          "syscall",
-	"syscall.Token":                                        "syscall",
-	"syscall.TokenAccessInformation":                       "syscall",
-	"syscall.TokenAuditPolicy":                             "syscall",
-	"syscall.TokenDefaultDacl":                             "syscall",
-	"syscall.TokenElevation":                               "syscall",
-	"syscall.TokenElevationType":                           "syscall",
-	"syscall.TokenGroups":                                  "syscall",
-	"syscall.TokenGroupsAndPrivileges":                     "syscall",
-	"syscall.TokenHasRestrictions":                         "syscall",
-	"syscall.TokenImpersonationLevel":                      "syscall",
-	"syscall.TokenIntegrityLevel":                          "syscall",
-	"syscall.TokenLinkedToken":                             "syscall",
-	"syscall.TokenLogonSid":                                "syscall",
-	"syscall.TokenMandatoryPolicy":                         "syscall",
-	"syscall.TokenOrigin":                                  "syscall",
-	"syscall.TokenOwner":                                   "syscall",
-	"syscall.TokenPrimaryGroup":                            "syscall",
-	"syscall.TokenPrivileges":                              "syscall",
-	"syscall.TokenRestrictedSids":                          "syscall",
-	"syscall.TokenSandBoxInert":                            "syscall",
-	"syscall.TokenSessionId":                               "syscall",
-	"syscall.TokenSessionReference":                        "syscall",
-	"syscall.TokenSource":                                  "syscall",
-	"syscall.TokenStatistics":                              "syscall",
-	"syscall.TokenType":                                    "syscall",
-	"syscall.TokenUIAccess":                                "syscall",
-	"syscall.TokenUser":                                    "syscall",
-	"syscall.TokenVirtualizationAllowed":                   "syscall",
-	"syscall.TokenVirtualizationEnabled":                   "syscall",
-	"syscall.Tokenprimarygroup":                            "syscall",
-	"syscall.Tokenuser":                                    "syscall",
-	"syscall.TranslateAccountName":                         "syscall",
-	"syscall.TranslateName":                                "syscall",
-	"syscall.TransmitFile":                                 "syscall",
-	"syscall.TransmitFileBuffers":                          "syscall",
-	"syscall.Truncate":                                     "syscall",
-	"syscall.USAGE_MATCH_TYPE_AND":                         "syscall",
-	"syscall.USAGE_MATCH_TYPE_OR":                          "syscall",
-	"syscall.UTF16FromString":                              "syscall",
-	"syscall.UTF16PtrFromString":                           "syscall",
-	"syscall.UTF16ToString":                                "syscall",
-	"syscall.Ucred":                                        "syscall",
-	"syscall.Umask":                                        "syscall",
-	"syscall.Uname":                                        "syscall",
-	"syscall.Undelete":                                     "syscall",
-	"syscall.UnixCredentials":                              "syscall",
-	"syscall.UnixRights":                                   "syscall",
-	"syscall.Unlink":                                       "syscall",
-	"syscall.Unlinkat":                                     "syscall",
-	"syscall.UnmapViewOfFile":                              "syscall",
-	"syscall.Unmount":                                      "syscall",
-	"syscall.Unsetenv":                                     "syscall",
-	"syscall.Unshare":                                      "syscall",
-	"syscall.UserInfo10":                                   "syscall",
-	"syscall.Ustat":                                        "syscall",
-	"syscall.Ustat_t":                                      "syscall",
-	"syscall.Utimbuf":                                      "syscall",
-	"syscall.Utime":                                        "syscall",
-	"syscall.Utimes":                                       "syscall",
-	"syscall.UtimesNano":                                   "syscall",
-	"syscall.Utsname":                                      "syscall",
-	"syscall.VDISCARD":                                     "syscall",
-	"syscall.VDSUSP":                                       "syscall",
-	"syscall.VEOF":                                         "syscall",
-	"syscall.VEOL":                                         "syscall",
-	"syscall.VEOL2":                                        "syscall",
-	"syscall.VERASE":                                       "syscall",
-	"syscall.VERASE2":                                      "syscall",
-	"syscall.VINTR":                                        "syscall",
-	"syscall.VKILL":                                        "syscall",
-	"syscall.VLNEXT":                                       "syscall",
-	"syscall.VMIN":                                         "syscall",
-	"syscall.VQUIT":                                        "syscall",
-	"syscall.VREPRINT":                                     "syscall",
-	"syscall.VSTART":                                       "syscall",
-	"syscall.VSTATUS":                                      "syscall",
-	"syscall.VSTOP":                                        "syscall",
-	"syscall.VSUSP":                                        "syscall",
-	"syscall.VSWTC":                                        "syscall",
-	"syscall.VT0":                                          "syscall",
-	"syscall.VT1":                                          "syscall",
-	"syscall.VTDLY":                                        "syscall",
-	"syscall.VTIME":                                        "syscall",
-	"syscall.VWERASE":                                      "syscall",
-	"syscall.VirtualLock":                                  "syscall",
-	"syscall.VirtualUnlock":                                "syscall",
-	"syscall.WAIT_ABANDONED":                               "syscall",
-	"syscall.WAIT_FAILED":                                  "syscall",
-	"syscall.WAIT_OBJECT_0":                                "syscall",
-	"syscall.WAIT_TIMEOUT":                                 "syscall",
-	"syscall.WALL":                                         "syscall",
-	"syscall.WALLSIG":                                      "syscall",
-	"syscall.WALTSIG":                                      "syscall",
-	"syscall.WCLONE":                                       "syscall",
-	"syscall.WCONTINUED":                                   "syscall",
-	"syscall.WCOREFLAG":                                    "syscall",
-	"syscall.WEXITED":                                      "syscall",
-	"syscall.WLINUXCLONE":                                  "syscall",
-	"syscall.WNOHANG":                                      "syscall",
-	"syscall.WNOTHREAD":                                    "syscall",
-	"syscall.WNOWAIT":                                      "syscall",
-	"syscall.WNOZOMBIE":                                    "syscall",
-	"syscall.WOPTSCHECKED":                                 "syscall",
-	"syscall.WORDSIZE":                                     "syscall",
-	"syscall.WSABuf":                                       "syscall",
-	"syscall.WSACleanup":                                   "syscall",
-	"syscall.WSADESCRIPTION_LEN":                           "syscall",
-	"syscall.WSAData":                                      "syscall",
-	"syscall.WSAEACCES":                                    "syscall",
-	"syscall.WSAECONNRESET":                                "syscall",
-	"syscall.WSAEnumProtocols":                             "syscall",
-	"syscall.WSAID_CONNECTEX":                              "syscall",
-	"syscall.WSAIoctl":                                     "syscall",
-	"syscall.WSAPROTOCOL_LEN":                              "syscall",
-	"syscall.WSAProtocolChain":                             "syscall",
-	"syscall.WSAProtocolInfo":                              "syscall",
-	"syscall.WSARecv":                                      "syscall",
-	"syscall.WSARecvFrom":                                  "syscall",
-	"syscall.WSASYS_STATUS_LEN":                            "syscall",
-	"syscall.WSASend":                                      "syscall",
-	"syscall.WSASendTo":                                    "syscall",
-	"syscall.WSASendto":                                    "syscall",
-	"syscall.WSAStartup":                                   "syscall",
-	"syscall.WSTOPPED":                                     "syscall",
-	"syscall.WTRAPPED":                                     "syscall",
-	"syscall.WUNTRACED":                                    "syscall",
-	"syscall.Wait4":                                        "syscall",
-	"syscall.WaitForSingleObject":                          "syscall",
-	"syscall.WaitStatus":                                   "syscall",
-	"syscall.Win32FileAttributeData":                       "syscall",
-	"syscall.Win32finddata":                                "syscall",
-	"syscall.Write":                                        "syscall",
-	"syscall.WriteConsole":                                 "syscall",
-	"syscall.WriteFile":                                    "syscall",
-	"syscall.X509_ASN_ENCODING":                            "syscall",
-	"syscall.XCASE":                                        "syscall",
-	"syscall.XP1_CONNECTIONLESS":                           "syscall",
-	"syscall.XP1_CONNECT_DATA":                             "syscall",
-	"syscall.XP1_DISCONNECT_DATA":                          "syscall",
-	"syscall.XP1_EXPEDITED_DATA":                           "syscall",
-	"syscall.XP1_GRACEFUL_CLOSE":                           "syscall",
-	"syscall.XP1_GUARANTEED_DELIVERY":                      "syscall",
-	"syscall.XP1_GUARANTEED_ORDER":                         "syscall",
-	"syscall.XP1_IFS_HANDLES":                              "syscall",
-	"syscall.XP1_MESSAGE_ORIENTED":                         "syscall",
-	"syscall.XP1_MULTIPOINT_CONTROL_PLANE":                 "syscall",
-	"syscall.XP1_MULTIPOINT_DATA_PLANE":                    "syscall",
-	"syscall.XP1_PARTIAL_MESSAGE":                          "syscall",
-	"syscall.XP1_PSEUDO_STREAM":                            "syscall",
-	"syscall.XP1_QOS_SUPPORTED":                            "syscall",
-	"syscall.XP1_SAN_SUPPORT_SDP":                          "syscall",
-	"syscall.XP1_SUPPORT_BROADCAST":                        "syscall",
-	"syscall.XP1_SUPPORT_MULTIPOINT":                       "syscall",
-	"syscall.XP1_UNI_RECV":                                 "syscall",
-	"syscall.XP1_UNI_SEND":                                 "syscall",
-	"syslog.Dial":                                          "log/syslog",
-	"syslog.LOG_ALERT":                                     "log/syslog",
-	"syslog.LOG_AUTH":                                      "log/syslog",
-	"syslog.LOG_AUTHPRIV":                                  "log/syslog",
-	"syslog.LOG_CRIT":                                      "log/syslog",
-	"syslog.LOG_CRON":                                      "log/syslog",
-	"syslog.LOG_DAEMON":                                    "log/syslog",
-	"syslog.LOG_DEBUG":                                     "log/syslog",
-	"syslog.LOG_EMERG":                                     "log/syslog",
-	"syslog.LOG_ERR":                                       "log/syslog",
-	"syslog.LOG_FTP":                                       "log/syslog",
-	"syslog.LOG_INFO":                                      "log/syslog",
-	"syslog.LOG_KERN":                                      "log/syslog",
-	"syslog.LOG_LOCAL0":                                    "log/syslog",
-	"syslog.LOG_LOCAL1":                                    "log/syslog",
-	"syslog.LOG_LOCAL2":                                    "log/syslog",
-	"syslog.LOG_LOCAL3":                                    "log/syslog",
-	"syslog.LOG_LOCAL4":                                    "log/syslog",
-	"syslog.LOG_LOCAL5":                                    "log/syslog",
-	"syslog.LOG_LOCAL6":                                    "log/syslog",
-	"syslog.LOG_LOCAL7":                                    "log/syslog",
-	"syslog.LOG_LPR":                                       "log/syslog",
-	"syslog.LOG_MAIL":                                      "log/syslog",
-	"syslog.LOG_NEWS":                                      "log/syslog",
-	"syslog.LOG_NOTICE":                                    "log/syslog",
-	"syslog.LOG_SYSLOG":                                    "log/syslog",
-	"syslog.LOG_USER":                                      "log/syslog",
-	"syslog.LOG_UUCP":                                      "log/syslog",
-	"syslog.LOG_WARNING":                                   "log/syslog",
-	"syslog.New":                                           "log/syslog",
-	"syslog.NewLogger":                                     "log/syslog",
-	"syslog.Priority":                                      "log/syslog",
-	"syslog.Writer":                                        "log/syslog",
-	"tabwriter.AlignRight":                                 "text/tabwriter",
-	"tabwriter.Debug":                                      "text/tabwriter",
-	"tabwriter.DiscardEmptyColumns":                        "text/tabwriter",
-	"tabwriter.Escape":                                     "text/tabwriter",
-	"tabwriter.FilterHTML":                                 "text/tabwriter",
-	"tabwriter.NewWriter":                                  "text/tabwriter",
-	"tabwriter.StripEscape":                                "text/tabwriter",
-	"tabwriter.TabIndent":                                  "text/tabwriter",
-	"tabwriter.Writer":                                     "text/tabwriter",
-	"tar.ErrFieldTooLong":                                  "archive/tar",
-	"tar.ErrHeader":                                        "archive/tar",
-	"tar.ErrWriteAfterClose":                               "archive/tar",
-	"tar.ErrWriteTooLong":                                  "archive/tar",
-	"tar.FileInfoHeader":                                   "archive/tar",
-	"tar.Header":                                           "archive/tar",
-	"tar.NewReader":                                        "archive/tar",
-	"tar.NewWriter":                                        "archive/tar",
-	"tar.Reader":                                           "archive/tar",
-	"tar.TypeBlock":                                        "archive/tar",
-	"tar.TypeChar":                                         "archive/tar",
-	"tar.TypeCont":                                         "archive/tar",
-	"tar.TypeDir":                                          "archive/tar",
-	"tar.TypeFifo":                                         "archive/tar",
-	"tar.TypeGNULongLink":                                  "archive/tar",
-	"tar.TypeGNULongName":                                  "archive/tar",
-	"tar.TypeGNUSparse":                                    "archive/tar",
-	"tar.TypeLink":                                         "archive/tar",
-	"tar.TypeReg":                                          "archive/tar",
-	"tar.TypeRegA":                                         "archive/tar",
-	"tar.TypeSymlink":                                      "archive/tar",
-	"tar.TypeXGlobalHeader":                                "archive/tar",
-	"tar.TypeXHeader":                                      "archive/tar",
-	"tar.Writer":                                           "archive/tar",
-	"template.CSS":                                         "html/template",
-	"template.ErrAmbigContext":                             "html/template",
-	"template.ErrBadHTML":                                  "html/template",
-	"template.ErrBranchEnd":                                "html/template",
-	"template.ErrEndContext":                               "html/template",
-	"template.ErrNoSuchTemplate":                           "html/template",
-	"template.ErrOutputContext":                            "html/template",
-	"template.ErrPartialCharset":                           "html/template",
-	"template.ErrPartialEscape":                            "html/template",
-	"template.ErrRangeLoopReentry":                         "html/template",
-	"template.ErrSlashAmbig":                               "html/template",
-	"template.Error":                                       "html/template",
-	"template.ErrorCode":                                   "html/template",
-	"template.ExecError":                                   "text/template",
-	// "template.FuncMap" is ambiguous
-	"template.HTML":     "html/template",
-	"template.HTMLAttr": "html/template",
-	// "template.HTMLEscape" is ambiguous
-	// "template.HTMLEscapeString" is ambiguous
-	// "template.HTMLEscaper" is ambiguous
-	// "template.IsTrue" is ambiguous
-	"template.JS": "html/template",
-	// "template.JSEscape" is ambiguous
-	// "template.JSEscapeString" is ambiguous
-	// "template.JSEscaper" is ambiguous
-	"template.JSStr": "html/template",
-	// "template.Must" is ambiguous
-	// "template.New" is ambiguous
-	"template.OK": "html/template",
-	// "template.ParseFiles" is ambiguous
-	// "template.ParseGlob" is ambiguous
-	// "template.Template" is ambiguous
-	"template.URL": "html/template",
-	// "template.URLQueryEscaper" is ambiguous
-	"testing.AllocsPerRun":                        "testing",
-	"testing.B":                                   "testing",
-	"testing.Benchmark":                           "testing",
-	"testing.BenchmarkResult":                     "testing",
-	"testing.Cover":                               "testing",
-	"testing.CoverBlock":                          "testing",
-	"testing.Coverage":                            "testing",
-	"testing.InternalBenchmark":                   "testing",
-	"testing.InternalExample":                     "testing",
-	"testing.InternalTest":                        "testing",
-	"testing.M":                                   "testing",
-	"testing.Main":                                "testing",
-	"testing.MainStart":                           "testing",
-	"testing.PB":                                  "testing",
-	"testing.RegisterCover":                       "testing",
-	"testing.RunBenchmarks":                       "testing",
-	"testing.RunExamples":                         "testing",
-	"testing.RunTests":                            "testing",
-	"testing.Short":                               "testing",
-	"testing.T":                                   "testing",
-	"testing.Verbose":                             "testing",
-	"textproto.CanonicalMIMEHeaderKey":            "net/textproto",
-	"textproto.Conn":                              "net/textproto",
-	"textproto.Dial":                              "net/textproto",
-	"textproto.Error":                             "net/textproto",
-	"textproto.MIMEHeader":                        "net/textproto",
-	"textproto.NewConn":                           "net/textproto",
-	"textproto.NewReader":                         "net/textproto",
-	"textproto.NewWriter":                         "net/textproto",
-	"textproto.Pipeline":                          "net/textproto",
-	"textproto.ProtocolError":                     "net/textproto",
-	"textproto.Reader":                            "net/textproto",
-	"textproto.TrimBytes":                         "net/textproto",
-	"textproto.TrimString":                        "net/textproto",
-	"textproto.Writer":                            "net/textproto",
-	"time.ANSIC":                                  "time",
-	"time.After":                                  "time",
-	"time.AfterFunc":                              "time",
-	"time.April":                                  "time",
-	"time.August":                                 "time",
-	"time.Date":                                   "time",
-	"time.December":                               "time",
-	"time.Duration":                               "time",
-	"time.February":                               "time",
-	"time.FixedZone":                              "time",
-	"time.Friday":                                 "time",
-	"time.Hour":                                   "time",
-	"time.January":                                "time",
-	"time.July":                                   "time",
-	"time.June":                                   "time",
-	"time.Kitchen":                                "time",
-	"time.LoadLocation":                           "time",
-	"time.Local":                                  "time",
-	"time.Location":                               "time",
-	"time.March":                                  "time",
-	"time.May":                                    "time",
-	"time.Microsecond":                            "time",
-	"time.Millisecond":                            "time",
-	"time.Minute":                                 "time",
-	"time.Monday":                                 "time",
-	"time.Month":                                  "time",
-	"time.Nanosecond":                             "time",
-	"time.NewTicker":                              "time",
-	"time.NewTimer":                               "time",
-	"time.November":                               "time",
-	"time.Now":                                    "time",
-	"time.October":                                "time",
-	"time.Parse":                                  "time",
-	"time.ParseDuration":                          "time",
-	"time.ParseError":                             "time",
-	"time.ParseInLocation":                        "time",
-	"time.RFC1123":                                "time",
-	"time.RFC1123Z":                               "time",
-	"time.RFC3339":                                "time",
-	"time.RFC3339Nano":                            "time",
-	"time.RFC822":                                 "time",
-	"time.RFC822Z":                                "time",
-	"time.RFC850":                                 "time",
-	"time.RubyDate":                               "time",
-	"time.Saturday":                               "time",
-	"time.Second":                                 "time",
-	"time.September":                              "time",
-	"time.Since":                                  "time",
-	"time.Sleep":                                  "time",
-	"time.Stamp":                                  "time",
-	"time.StampMicro":                             "time",
-	"time.StampMilli":                             "time",
-	"time.StampNano":                              "time",
-	"time.Sunday":                                 "time",
-	"time.Thursday":                               "time",
-	"time.Tick":                                   "time",
-	"time.Ticker":                                 "time",
-	"time.Time":                                   "time",
-	"time.Timer":                                  "time",
-	"time.Tuesday":                                "time",
-	"time.UTC":                                    "time",
-	"time.Unix":                                   "time",
-	"time.UnixDate":                               "time",
-	"time.Wednesday":                              "time",
-	"time.Weekday":                                "time",
-	"tls.Certificate":                             "crypto/tls",
-	"tls.Client":                                  "crypto/tls",
-	"tls.ClientAuthType":                          "crypto/tls",
-	"tls.ClientHelloInfo":                         "crypto/tls",
-	"tls.ClientSessionCache":                      "crypto/tls",
-	"tls.ClientSessionState":                      "crypto/tls",
-	"tls.Config":                                  "crypto/tls",
-	"tls.Conn":                                    "crypto/tls",
-	"tls.ConnectionState":                         "crypto/tls",
-	"tls.CurveID":                                 "crypto/tls",
-	"tls.CurveP256":                               "crypto/tls",
-	"tls.CurveP384":                               "crypto/tls",
-	"tls.CurveP521":                               "crypto/tls",
-	"tls.Dial":                                    "crypto/tls",
-	"tls.DialWithDialer":                          "crypto/tls",
-	"tls.Listen":                                  "crypto/tls",
-	"tls.LoadX509KeyPair":                         "crypto/tls",
-	"tls.NewLRUClientSessionCache":                "crypto/tls",
-	"tls.NewListener":                             "crypto/tls",
-	"tls.NoClientCert":                            "crypto/tls",
-	"tls.RecordHeaderError":                       "crypto/tls",
-	"tls.RequestClientCert":                       "crypto/tls",
-	"tls.RequireAndVerifyClientCert":              "crypto/tls",
-	"tls.RequireAnyClientCert":                    "crypto/tls",
-	"tls.Server":                                  "crypto/tls",
-	"tls.TLS_ECDHE_ECDSA_WITH_AES_128_CBC_SHA":    "crypto/tls",
-	"tls.TLS_ECDHE_ECDSA_WITH_AES_128_GCM_SHA256": "crypto/tls",
-	"tls.TLS_ECDHE_ECDSA_WITH_AES_256_CBC_SHA":    "crypto/tls",
-	"tls.TLS_ECDHE_ECDSA_WITH_AES_256_GCM_SHA384": "crypto/tls",
-	"tls.TLS_ECDHE_ECDSA_WITH_RC4_128_SHA":        "crypto/tls",
-	"tls.TLS_ECDHE_RSA_WITH_3DES_EDE_CBC_SHA":     "crypto/tls",
-	"tls.TLS_ECDHE_RSA_WITH_AES_128_CBC_SHA":      "crypto/tls",
-	"tls.TLS_ECDHE_RSA_WITH_AES_128_GCM_SHA256":   "crypto/tls",
-	"tls.TLS_ECDHE_RSA_WITH_AES_256_CBC_SHA":      "crypto/tls",
-	"tls.TLS_ECDHE_RSA_WITH_AES_256_GCM_SHA384":   "crypto/tls",
-	"tls.TLS_ECDHE_RSA_WITH_RC4_128_SHA":          "crypto/tls",
-	"tls.TLS_FALLBACK_SCSV":                       "crypto/tls",
-	"tls.TLS_RSA_WITH_3DES_EDE_CBC_SHA":           "crypto/tls",
-	"tls.TLS_RSA_WITH_AES_128_CBC_SHA":            "crypto/tls",
-	"tls.TLS_RSA_WITH_AES_128_GCM_SHA256":         "crypto/tls",
-	"tls.TLS_RSA_WITH_AES_256_CBC_SHA":            "crypto/tls",
-	"tls.TLS_RSA_WITH_AES_256_GCM_SHA384":         "crypto/tls",
-	"tls.TLS_RSA_WITH_RC4_128_SHA":                "crypto/tls",
-	"tls.VerifyClientCertIfGiven":                 "crypto/tls",
-	"tls.VersionSSL30":                            "crypto/tls",
-	"tls.VersionTLS10":                            "crypto/tls",
-	"tls.VersionTLS11":                            "crypto/tls",
-	"tls.VersionTLS12":                            "crypto/tls",
-	"tls.X509KeyPair":                             "crypto/tls",
-	"token.ADD":                                   "go/token",
-	"token.ADD_ASSIGN":                            "go/token",
-	"token.AND":                                   "go/token",
-	"token.AND_ASSIGN":                            "go/token",
-	"token.AND_NOT":                               "go/token",
-	"token.AND_NOT_ASSIGN":                        "go/token",
-	"token.ARROW":                                 "go/token",
-	"token.ASSIGN":                                "go/token",
-	"token.BREAK":                                 "go/token",
-	"token.CASE":                                  "go/token",
-	"token.CHAN":                                  "go/token",
-	"token.CHAR":                                  "go/token",
-	"token.COLON":                                 "go/token",
-	"token.COMMA":                                 "go/token",
-	"token.COMMENT":                               "go/token",
-	"token.CONST":                                 "go/token",
-	"token.CONTINUE":                              "go/token",
-	"token.DEC":                                   "go/token",
-	"token.DEFAULT":                               "go/token",
-	"token.DEFER":                                 "go/token",
-	"token.DEFINE":                                "go/token",
-	"token.ELLIPSIS":                              "go/token",
-	"token.ELSE":                                  "go/token",
-	"token.EOF":                                   "go/token",
-	"token.EQL":                                   "go/token",
-	"token.FALLTHROUGH":                           "go/token",
-	"token.FLOAT":                                 "go/token",
-	"token.FOR":                                   "go/token",
-	"token.FUNC":                                  "go/token",
-	"token.File":                                  "go/token",
-	"token.FileSet":                               "go/token",
-	"token.GEQ":                                   "go/token",
-	"token.GO":                                    "go/token",
-	"token.GOTO":                                  "go/token",
-	"token.GTR":                                   "go/token",
-	"token.HighestPrec":                           "go/token",
-	"token.IDENT":                                 "go/token",
-	"token.IF":                                    "go/token",
-	"token.ILLEGAL":                               "go/token",
-	"token.IMAG":                                  "go/token",
-	"token.IMPORT":                                "go/token",
-	"token.INC":                                   "go/token",
-	"token.INT":                                   "go/token",
-	"token.INTERFACE":                             "go/token",
-	"token.LAND":                                  "go/token",
-	"token.LBRACE":                                "go/token",
-	"token.LBRACK":                                "go/token",
-	"token.LEQ":                                   "go/token",
-	"token.LOR":                                   "go/token",
-	"token.LPAREN":                                "go/token",
-	"token.LSS":                                   "go/token",
-	"token.Lookup":                                "go/token",
-	"token.LowestPrec":                            "go/token",
-	"token.MAP":                                   "go/token",
-	"token.MUL":                                   "go/token",
-	"token.MUL_ASSIGN":                            "go/token",
-	"token.NEQ":                                   "go/token",
-	"token.NOT":                                   "go/token",
-	"token.NewFileSet":                            "go/token",
-	"token.NoPos":                                 "go/token",
-	"token.OR":                                    "go/token",
-	"token.OR_ASSIGN":                             "go/token",
-	"token.PACKAGE":                               "go/token",
-	"token.PERIOD":                                "go/token",
-	"token.Pos":                                   "go/token",
-	"token.Position":                              "go/token",
-	"token.QUO":                                   "go/token",
-	"token.QUO_ASSIGN":                            "go/token",
-	"token.RANGE":                                 "go/token",
-	"token.RBRACE":                                "go/token",
-	"token.RBRACK":                                "go/token",
-	"token.REM":                                   "go/token",
-	"token.REM_ASSIGN":                            "go/token",
-	"token.RETURN":                                "go/token",
-	"token.RPAREN":                                "go/token",
-	"token.SELECT":                                "go/token",
-	"token.SEMICOLON":                             "go/token",
-	"token.SHL":                                   "go/token",
-	"token.SHL_ASSIGN":                            "go/token",
-	"token.SHR":                                   "go/token",
-	"token.SHR_ASSIGN":                            "go/token",
-	"token.STRING":                                "go/token",
-	"token.STRUCT":                                "go/token",
-	"token.SUB":                                   "go/token",
-	"token.SUB_ASSIGN":                            "go/token",
-	"token.SWITCH":                                "go/token",
-	"token.TYPE":                                  "go/token",
-	"token.Token":                                 "go/token",
-	"token.UnaryPrec":                             "go/token",
-	"token.VAR":                                   "go/token",
-	"token.XOR":                                   "go/token",
-	"token.XOR_ASSIGN":                            "go/token",
-	"trace.Start":                                 "runtime/trace",
-	"trace.Stop":                                  "runtime/trace",
-	"types.Array":                                 "go/types",
-	"types.AssertableTo":                          "go/types",
-	"types.AssignableTo":                          "go/types",
-	"types.Basic":                                 "go/types",
-	"types.BasicInfo":                             "go/types",
-	"types.BasicKind":                             "go/types",
-	"types.Bool":                                  "go/types",
-	"types.Builtin":                               "go/types",
-	"types.Byte":                                  "go/types",
-	"types.Chan":                                  "go/types",
-	"types.ChanDir":                               "go/types",
-	"types.Checker":                               "go/types",
-	"types.Comparable":                            "go/types",
-	"types.Complex128":                            "go/types",
-	"types.Complex64":                             "go/types",
-	"types.Config":                                "go/types",
-	"types.Const":                                 "go/types",
-	"types.ConvertibleTo":                         "go/types",
-	"types.DefPredeclaredTestFuncs":               "go/types",
-	"types.Error":                                 "go/types",
-	"types.Eval":                                  "go/types",
-	"types.ExprString":                            "go/types",
-	"types.FieldVal":                              "go/types",
-	"types.Float32":                               "go/types",
-	"types.Float64":                               "go/types",
-	"types.Func":                                  "go/types",
-	"types.Id":                                    "go/types",
-	"types.Identical":                             "go/types",
-	"types.Implements":                            "go/types",
-	"types.ImportMode":                            "go/types",
-	"types.Importer":                              "go/types",
-	"types.ImporterFrom":                          "go/types",
-	"types.Info":                                  "go/types",
-	"types.Initializer":                           "go/types",
-	"types.Int":                                   "go/types",
-	"types.Int16":                                 "go/types",
-	"types.Int32":                                 "go/types",
-	"types.Int64":                                 "go/types",
-	"types.Int8":                                  "go/types",
-	"types.Interface":                             "go/types",
-	"types.Invalid":                               "go/types",
-	"types.IsBoolean":                             "go/types",
-	"types.IsComplex":                             "go/types",
-	"types.IsConstType":                           "go/types",
-	"types.IsFloat":                               "go/types",
-	"types.IsInteger":                             "go/types",
-	"types.IsInterface":                           "go/types",
-	"types.IsNumeric":                             "go/types",
-	"types.IsOrdered":                             "go/types",
-	"types.IsString":                              "go/types",
-	"types.IsUnsigned":                            "go/types",
-	"types.IsUntyped":                             "go/types",
-	"types.Label":                                 "go/types",
-	"types.LookupFieldOrMethod":                   "go/types",
-	"types.Map":                                   "go/types",
-	"types.MethodExpr":                            "go/types",
-	"types.MethodSet":                             "go/types",
-	"types.MethodVal":                             "go/types",
-	"types.MissingMethod":                         "go/types",
-	"types.Named":                                 "go/types",
-	"types.NewArray":                              "go/types",
-	"types.NewChan":                               "go/types",
-	"types.NewChecker":                            "go/types",
-	"types.NewConst":                              "go/types",
-	"types.NewField":                              "go/types",
-	"types.NewFunc":                               "go/types",
-	"types.NewInterface":                          "go/types",
-	"types.NewLabel":                              "go/types",
-	"types.NewMap":                                "go/types",
-	"types.NewMethodSet":                          "go/types",
-	"types.NewNamed":                              "go/types",
-	"types.NewPackage":                            "go/types",
-	"types.NewParam":                              "go/types",
-	"types.NewPkgName":                            "go/types",
-	"types.NewPointer":                            "go/types",
-	"types.NewScope":                              "go/types",
-	"types.NewSignature":                          "go/types",
-	"types.NewSlice":                              "go/types",
-	"types.NewStruct":                             "go/types",
-	"types.NewTuple":                              "go/types",
-	"types.NewTypeName":                           "go/types",
-	"types.NewVar":                                "go/types",
-	"types.Nil":                                   "go/types",
-	"types.ObjectString":                          "go/types",
-	"types.Package":                               "go/types",
-	"types.PkgName":                               "go/types",
-	"types.Pointer":                               "go/types",
-	"types.Qualifier":                             "go/types",
-	"types.RecvOnly":                              "go/types",
-	"types.RelativeTo":                            "go/types",
-	"types.Rune":                                  "go/types",
-	"types.Scope":                                 "go/types",
-	"types.Selection":                             "go/types",
-	"types.SelectionKind":                         "go/types",
-	"types.SelectionString":                       "go/types",
-	"types.SendOnly":                              "go/types",
-	"types.SendRecv":                              "go/types",
-	"types.Signature":                             "go/types",
-	"types.Sizes":                                 "go/types",
-	"types.Slice":                                 "go/types",
-	"types.StdSizes":                              "go/types",
-	"types.String":                                "go/types",
-	"types.Struct":                                "go/types",
-	"types.Tuple":                                 "go/types",
-	"types.Typ":                                   "go/types",
-	"types.Type":                                  "go/types",
-	"types.TypeAndValue":                          "go/types",
-	"types.TypeName":                              "go/types",
-	"types.TypeString":                            "go/types",
-	"types.Uint":                                  "go/types",
-	"types.Uint16":                                "go/types",
-	"types.Uint32":                                "go/types",
-	"types.Uint64":                                "go/types",
-	"types.Uint8":                                 "go/types",
-	"types.Uintptr":                               "go/types",
-	"types.Universe":                              "go/types",
-	"types.Unsafe":                                "go/types",
-	"types.UnsafePointer":                         "go/types",
-	"types.UntypedBool":                           "go/types",
-	"types.UntypedComplex":                        "go/types",
-	"types.UntypedFloat":                          "go/types",
-	"types.UntypedInt":                            "go/types",
-	"types.UntypedNil":                            "go/types",
-	"types.UntypedRune":                           "go/types",
-	"types.UntypedString":                         "go/types",
-	"types.Var":                                   "go/types",
-	"types.WriteExpr":                             "go/types",
-	"types.WriteSignature":                        "go/types",
-	"types.WriteType":                             "go/types",
-	"unicode.ASCII_Hex_Digit":                     "unicode",
-	"unicode.Ahom":                                "unicode",
-	"unicode.Anatolian_Hieroglyphs":               "unicode",
-	"unicode.Arabic":                              "unicode",
-	"unicode.Armenian":                            "unicode",
-	"unicode.Avestan":                             "unicode",
-	"unicode.AzeriCase":                           "unicode",
-	"unicode.Balinese":                            "unicode",
-	"unicode.Bamum":                               "unicode",
-	"unicode.Bassa_Vah":                           "unicode",
-	"unicode.Batak":                               "unicode",
-	"unicode.Bengali":                             "unicode",
-	"unicode.Bidi_Control":                        "unicode",
-	"unicode.Bopomofo":                            "unicode",
-	"unicode.Brahmi":                              "unicode",
-	"unicode.Braille":                             "unicode",
-	"unicode.Buginese":                            "unicode",
-	"unicode.Buhid":                               "unicode",
-	"unicode.C":                                   "unicode",
-	"unicode.Canadian_Aboriginal":                 "unicode",
-	"unicode.Carian":                              "unicode",
-	"unicode.CaseRange":                           "unicode",
-	"unicode.CaseRanges":                          "unicode",
-	"unicode.Categories":                          "unicode",
-	"unicode.Caucasian_Albanian":                  "unicode",
-	"unicode.Cc":                                  "unicode",
-	"unicode.Cf":                                  "unicode",
-	"unicode.Chakma":                              "unicode",
-	"unicode.Cham":                                "unicode",
-	"unicode.Cherokee":                            "unicode",
-	"unicode.Co":                                  "unicode",
-	"unicode.Common":                              "unicode",
-	"unicode.Coptic":                              "unicode",
-	"unicode.Cs":                                  "unicode",
-	"unicode.Cuneiform":                           "unicode",
-	"unicode.Cypriot":                             "unicode",
-	"unicode.Cyrillic":                            "unicode",
-	"unicode.Dash":                                "unicode",
-	"unicode.Deprecated":                          "unicode",
-	"unicode.Deseret":                             "unicode",
-	"unicode.Devanagari":                          "unicode",
-	"unicode.Diacritic":                           "unicode",
-	"unicode.Digit":                               "unicode",
-	"unicode.Duployan":                            "unicode",
-	"unicode.Egyptian_Hieroglyphs":                "unicode",
-	"unicode.Elbasan":                             "unicode",
-	"unicode.Ethiopic":                            "unicode",
-	"unicode.Extender":                            "unicode",
-	"unicode.FoldCategory":                        "unicode",
-	"unicode.FoldScript":                          "unicode",
-	"unicode.Georgian":                            "unicode",
-	"unicode.Glagolitic":                          "unicode",
-	"unicode.Gothic":                              "unicode",
-	"unicode.Grantha":                             "unicode",
-	"unicode.GraphicRanges":                       "unicode",
-	"unicode.Greek":                               "unicode",
-	"unicode.Gujarati":                            "unicode",
-	"unicode.Gurmukhi":                            "unicode",
-	"unicode.Han":                                 "unicode",
-	"unicode.Hangul":                              "unicode",
-	"unicode.Hanunoo":                             "unicode",
-	"unicode.Hatran":                              "unicode",
-	"unicode.Hebrew":                              "unicode",
-	"unicode.Hex_Digit":                           "unicode",
-	"unicode.Hiragana":                            "unicode",
-	"unicode.Hyphen":                              "unicode",
-	"unicode.IDS_Binary_Operator":                 "unicode",
-	"unicode.IDS_Trinary_Operator":                "unicode",
-	"unicode.Ideographic":                         "unicode",
-	"unicode.Imperial_Aramaic":                    "unicode",
-	"unicode.In":                                  "unicode",
-	"unicode.Inherited":                           "unicode",
-	"unicode.Inscriptional_Pahlavi":               "unicode",
-	"unicode.Inscriptional_Parthian":              "unicode",
-	"unicode.Is":                                  "unicode",
-	"unicode.IsControl":                           "unicode",
-	"unicode.IsDigit":                             "unicode",
-	"unicode.IsGraphic":                           "unicode",
-	"unicode.IsLetter":                            "unicode",
-	"unicode.IsLower":                             "unicode",
-	"unicode.IsMark":                              "unicode",
-	"unicode.IsNumber":                            "unicode",
-	"unicode.IsOneOf":                             "unicode",
-	"unicode.IsPrint":                             "unicode",
-	"unicode.IsPunct":                             "unicode",
-	"unicode.IsSpace":                             "unicode",
-	"unicode.IsSymbol":                            "unicode",
-	"unicode.IsTitle":                             "unicode",
-	"unicode.IsUpper":                             "unicode",
-	"unicode.Javanese":                            "unicode",
-	"unicode.Join_Control":                        "unicode",
-	"unicode.Kaithi":                              "unicode",
-	"unicode.Kannada":                             "unicode",
-	"unicode.Katakana":                            "unicode",
-	"unicode.Kayah_Li":                            "unicode",
-	"unicode.Kharoshthi":                          "unicode",
-	"unicode.Khmer":                               "unicode",
-	"unicode.Khojki":                              "unicode",
-	"unicode.Khudawadi":                           "unicode",
-	"unicode.L":                                   "unicode",
-	"unicode.Lao":                                 "unicode",
-	"unicode.Latin":                               "unicode",
-	"unicode.Lepcha":                              "unicode",
-	"unicode.Letter":                              "unicode",
-	"unicode.Limbu":                               "unicode",
-	"unicode.Linear_A":                            "unicode",
-	"unicode.Linear_B":                            "unicode",
-	"unicode.Lisu":                                "unicode",
-	"unicode.Ll":                                  "unicode",
-	"unicode.Lm":                                  "unicode",
-	"unicode.Lo":                                  "unicode",
-	"unicode.Logical_Order_Exception":             "unicode",
-	"unicode.Lower":                               "unicode",
-	"unicode.LowerCase":                           "unicode",
-	"unicode.Lt":                                  "unicode",
-	"unicode.Lu":                                  "unicode",
-	"unicode.Lycian":                              "unicode",
-	"unicode.Lydian":                              "unicode",
-	"unicode.M":                                   "unicode",
-	"unicode.Mahajani":                            "unicode",
-	"unicode.Malayalam":                           "unicode",
-	"unicode.Mandaic":                             "unicode",
-	"unicode.Manichaean":                          "unicode",
-	"unicode.Mark":                                "unicode",
-	"unicode.MaxASCII":                            "unicode",
-	"unicode.MaxCase":                             "unicode",
-	"unicode.MaxLatin1":                           "unicode",
-	"unicode.MaxRune":                             "unicode",
-	"unicode.Mc":                                  "unicode",
-	"unicode.Me":                                  "unicode",
-	"unicode.Meetei_Mayek":                        "unicode",
-	"unicode.Mende_Kikakui":                       "unicode",
-	"unicode.Meroitic_Cursive":                    "unicode",
-	"unicode.Meroitic_Hieroglyphs":                "unicode",
-	"unicode.Miao":                                "unicode",
-	"unicode.Mn":                                  "unicode",
-	"unicode.Modi":                                "unicode",
-	"unicode.Mongolian":                           "unicode",
-	"unicode.Mro":                                 "unicode",
-	"unicode.Multani":                             "unicode",
-	"unicode.Myanmar":                             "unicode",
-	"unicode.N":                                   "unicode",
-	"unicode.Nabataean":                           "unicode",
-	"unicode.Nd":                                  "unicode",
-	"unicode.New_Tai_Lue":                         "unicode",
-	"unicode.Nko":                                 "unicode",
-	"unicode.Nl":                                  "unicode",
-	"unicode.No":                                  "unicode",
-	"unicode.Noncharacter_Code_Point":             "unicode",
-	"unicode.Number":                              "unicode",
-	"unicode.Ogham":                               "unicode",
-	"unicode.Ol_Chiki":                            "unicode",
-	"unicode.Old_Hungarian":                       "unicode",
-	"unicode.Old_Italic":                          "unicode",
-	"unicode.Old_North_Arabian":                   "unicode",
-	"unicode.Old_Permic":                          "unicode",
-	"unicode.Old_Persian":                         "unicode",
-	"unicode.Old_South_Arabian":                   "unicode",
-	"unicode.Old_Turkic":                          "unicode",
-	"unicode.Oriya":                               "unicode",
-	"unicode.Osmanya":                             "unicode",
-	"unicode.Other":                               "unicode",
-	"unicode.Other_Alphabetic":                    "unicode",
-	"unicode.Other_Default_Ignorable_Code_Point":  "unicode",
-	"unicode.Other_Grapheme_Extend":               "unicode",
-	"unicode.Other_ID_Continue":                   "unicode",
-	"unicode.Other_ID_Start":                      "unicode",
-	"unicode.Other_Lowercase":                     "unicode",
-	"unicode.Other_Math":                          "unicode",
-	"unicode.Other_Uppercase":                     "unicode",
-	"unicode.P":                                   "unicode",
-	"unicode.Pahawh_Hmong":                        "unicode",
-	"unicode.Palmyrene":                           "unicode",
-	"unicode.Pattern_Syntax":                      "unicode",
-	"unicode.Pattern_White_Space":                 "unicode",
-	"unicode.Pau_Cin_Hau":                         "unicode",
-	"unicode.Pc":                                  "unicode",
-	"unicode.Pd":                                  "unicode",
-	"unicode.Pe":                                  "unicode",
-	"unicode.Pf":                                  "unicode",
-	"unicode.Phags_Pa":                            "unicode",
-	"unicode.Phoenician":                          "unicode",
-	"unicode.Pi":                                  "unicode",
-	"unicode.Po":                                  "unicode",
-	"unicode.PrintRanges":                         "unicode",
-	"unicode.Properties":                          "unicode",
-	"unicode.Ps":                                  "unicode",
-	"unicode.Psalter_Pahlavi":                     "unicode",
-	"unicode.Punct":                               "unicode",
-	"unicode.Quotation_Mark":                      "unicode",
-	"unicode.Radical":                             "unicode",
-	"unicode.Range16":                             "unicode",
-	"unicode.Range32":                             "unicode",
-	"unicode.RangeTable":                          "unicode",
-	"unicode.Rejang":                              "unicode",
-	"unicode.ReplacementChar":                     "unicode",
-	"unicode.Runic":                               "unicode",
-	"unicode.S":                                   "unicode",
-	"unicode.STerm":                               "unicode",
-	"unicode.Samaritan":                           "unicode",
-	"unicode.Saurashtra":                          "unicode",
-	"unicode.Sc":                                  "unicode",
-	"unicode.Scripts":                             "unicode",
-	"unicode.Sharada":                             "unicode",
-	"unicode.Shavian":                             "unicode",
-	"unicode.Siddham":                             "unicode",
-	"unicode.SignWriting":                         "unicode",
-	"unicode.SimpleFold":                          "unicode",
-	"unicode.Sinhala":                             "unicode",
-	"unicode.Sk":                                  "unicode",
-	"unicode.Sm":                                  "unicode",
-	"unicode.So":                                  "unicode",
-	"unicode.Soft_Dotted":                         "unicode",
-	"unicode.Sora_Sompeng":                        "unicode",
-	"unicode.Space":                               "unicode",
-	"unicode.SpecialCase":                         "unicode",
-	"unicode.Sundanese":                           "unicode",
-	"unicode.Syloti_Nagri":                        "unicode",
-	"unicode.Symbol":                              "unicode",
-	"unicode.Syriac":                              "unicode",
-	"unicode.Tagalog":                             "unicode",
-	"unicode.Tagbanwa":                            "unicode",
-	"unicode.Tai_Le":                              "unicode",
-	"unicode.Tai_Tham":                            "unicode",
-	"unicode.Tai_Viet":                            "unicode",
-	"unicode.Takri":                               "unicode",
-	"unicode.Tamil":                               "unicode",
-	"unicode.Telugu":                              "unicode",
-	"unicode.Terminal_Punctuation":                "unicode",
-	"unicode.Thaana":                              "unicode",
-	"unicode.Thai":                                "unicode",
-	"unicode.Tibetan":                             "unicode",
-	"unicode.Tifinagh":                            "unicode",
-	"unicode.Tirhuta":                             "unicode",
-	"unicode.Title":                               "unicode",
-	"unicode.TitleCase":                           "unicode",
-	"unicode.To":                                  "unicode",
-	"unicode.ToLower":                             "unicode",
-	"unicode.ToTitle":                             "unicode",
-	"unicode.ToUpper":                             "unicode",
-	"unicode.TurkishCase":                         "unicode",
-	"unicode.Ugaritic":                            "unicode",
-	"unicode.Unified_Ideograph":                   "unicode",
-	"unicode.Upper":                               "unicode",
-	"unicode.UpperCase":                           "unicode",
-	"unicode.UpperLower":                          "unicode",
-	"unicode.Vai":                                 "unicode",
-	"unicode.Variation_Selector":                  "unicode",
-	"unicode.Version":                             "unicode",
-	"unicode.Warang_Citi":                         "unicode",
-	"unicode.White_Space":                         "unicode",
-	"unicode.Yi":                                  "unicode",
-	"unicode.Z":                                   "unicode",
-	"unicode.Zl":                                  "unicode",
-	"unicode.Zp":                                  "unicode",
-	"unicode.Zs":                                  "unicode",
-	"url.Error":                                   "net/url",
-	"url.EscapeError":                             "net/url",
-	"url.InvalidHostError":                        "net/url",
-	"url.Parse":                                   "net/url",
-	"url.ParseQuery":                              "net/url",
-	"url.ParseRequestURI":                         "net/url",
-	"url.QueryEscape":                             "net/url",
-	"url.QueryUnescape":                           "net/url",
-	"url.URL":                                     "net/url",
-	"url.User":                                    "net/url",
-	"url.UserPassword":                            "net/url",
-	"url.Userinfo":                                "net/url",
-	"url.Values":                                  "net/url",
-	"user.Current":                                "os/user",
-	"user.Lookup":                                 "os/user",
-	"user.LookupId":                               "os/user",
-	"user.UnknownUserError":                       "os/user",
-	"user.UnknownUserIdError":                     "os/user",
-	"user.User":                                   "os/user",
-	"utf16.Decode":                                "unicode/utf16",
-	"utf16.DecodeRune":                            "unicode/utf16",
-	"utf16.Encode":                                "unicode/utf16",
-	"utf16.EncodeRune":                            "unicode/utf16",
-	"utf16.IsSurrogate":                           "unicode/utf16",
-	"utf8.DecodeLastRune":                         "unicode/utf8",
-	"utf8.DecodeLastRuneInString":                 "unicode/utf8",
-	"utf8.DecodeRune":                             "unicode/utf8",
-	"utf8.DecodeRuneInString":                     "unicode/utf8",
-	"utf8.EncodeRune":                             "unicode/utf8",
-	"utf8.FullRune":                               "unicode/utf8",
-	"utf8.FullRuneInString":                       "unicode/utf8",
-	"utf8.MaxRune":                                "unicode/utf8",
-	"utf8.RuneCount":                              "unicode/utf8",
-	"utf8.RuneCountInString":                      "unicode/utf8",
-	"utf8.RuneError":                              "unicode/utf8",
-	"utf8.RuneLen":                                "unicode/utf8",
-	"utf8.RuneSelf":                               "unicode/utf8",
-	"utf8.RuneStart":                              "unicode/utf8",
-	"utf8.UTFMax":                                 "unicode/utf8",
-	"utf8.Valid":                                  "unicode/utf8",
-	"utf8.ValidRune":                              "unicode/utf8",
-	"utf8.ValidString":                            "unicode/utf8",
-	"x509.CANotAuthorizedForThisName":             "crypto/x509",
-	"x509.CertPool":                               "crypto/x509",
-	"x509.Certificate":                            "crypto/x509",
-	"x509.CertificateInvalidError":                "crypto/x509",
-	"x509.CertificateRequest":                     "crypto/x509",
-	"x509.ConstraintViolationError":               "crypto/x509",
-	"x509.CreateCertificate":                      "crypto/x509",
-	"x509.CreateCertificateRequest":               "crypto/x509",
-	"x509.DSA":                                    "crypto/x509",
-	"x509.DSAWithSHA1":                            "crypto/x509",
-	"x509.DSAWithSHA256":                          "crypto/x509",
-	"x509.DecryptPEMBlock":                        "crypto/x509",
-	"x509.ECDSA":                                  "crypto/x509",
-	"x509.ECDSAWithSHA1":                          "crypto/x509",
-	"x509.ECDSAWithSHA256":                        "crypto/x509",
-	"x509.ECDSAWithSHA384":                        "crypto/x509",
-	"x509.ECDSAWithSHA512":                        "crypto/x509",
-	"x509.EncryptPEMBlock":                        "crypto/x509",
-	"x509.ErrUnsupportedAlgorithm":                "crypto/x509",
-	"x509.Expired":                                "crypto/x509",
-	"x509.ExtKeyUsage":                            "crypto/x509",
-	"x509.ExtKeyUsageAny":                         "crypto/x509",
-	"x509.ExtKeyUsageClientAuth":                  "crypto/x509",
-	"x509.ExtKeyUsageCodeSigning":                 "crypto/x509",
-	"x509.ExtKeyUsageEmailProtection":             "crypto/x509",
-	"x509.ExtKeyUsageIPSECEndSystem":              "crypto/x509",
-	"x509.ExtKeyUsageIPSECTunnel":                 "crypto/x509",
-	"x509.ExtKeyUsageIPSECUser":                   "crypto/x509",
-	"x509.ExtKeyUsageMicrosoftServerGatedCrypto":  "crypto/x509",
-	"x509.ExtKeyUsageNetscapeServerGatedCrypto":   "crypto/x509",
-	"x509.ExtKeyUsageOCSPSigning":                 "crypto/x509",
-	"x509.ExtKeyUsageServerAuth":                  "crypto/x509",
-	"x509.ExtKeyUsageTimeStamping":                "crypto/x509",
-	"x509.HostnameError":                          "crypto/x509",
-	"x509.IncompatibleUsage":                      "crypto/x509",
-	"x509.IncorrectPasswordError":                 "crypto/x509",
-	"x509.InsecureAlgorithmError":                 "crypto/x509",
-	"x509.InvalidReason":                          "crypto/x509",
-	"x509.IsEncryptedPEMBlock":                    "crypto/x509",
-	"x509.KeyUsage":                               "crypto/x509",
-	"x509.KeyUsageCRLSign":                        "crypto/x509",
-	"x509.KeyUsageCertSign":                       "crypto/x509",
-	"x509.KeyUsageContentCommitment":              "crypto/x509",
-	"x509.KeyUsageDataEncipherment":               "crypto/x509",
-	"x509.KeyUsageDecipherOnly":                   "crypto/x509",
-	"x509.KeyUsageDigitalSignature":               "crypto/x509",
-	"x509.KeyUsageEncipherOnly":                   "crypto/x509",
-	"x509.KeyUsageKeyAgreement":                   "crypto/x509",
-	"x509.KeyUsageKeyEncipherment":                "crypto/x509",
-	"x509.MD2WithRSA":                             "crypto/x509",
-	"x509.MD5WithRSA":                             "crypto/x509",
-	"x509.MarshalECPrivateKey":                    "crypto/x509",
-	"x509.MarshalPKCS1PrivateKey":                 "crypto/x509",
-	"x509.MarshalPKIXPublicKey":                   "crypto/x509",
-	"x509.NewCertPool":                            "crypto/x509",
-	"x509.NotAuthorizedToSign":                    "crypto/x509",
-	"x509.PEMCipher":                              "crypto/x509",
-	"x509.PEMCipher3DES":                          "crypto/x509",
-	"x509.PEMCipherAES128":                        "crypto/x509",
-	"x509.PEMCipherAES192":                        "crypto/x509",
-	"x509.PEMCipherAES256":                        "crypto/x509",
-	"x509.PEMCipherDES":                           "crypto/x509",
-	"x509.ParseCRL":                               "crypto/x509",
-	"x509.ParseCertificate":                       "crypto/x509",
-	"x509.ParseCertificateRequest":                "crypto/x509",
-	"x509.ParseCertificates":                      "crypto/x509",
-	"x509.ParseDERCRL":                            "crypto/x509",
-	"x509.ParseECPrivateKey":                      "crypto/x509",
-	"x509.ParsePKCS1PrivateKey":                   "crypto/x509",
-	"x509.ParsePKCS8PrivateKey":                   "crypto/x509",
-	"x509.ParsePKIXPublicKey":                     "crypto/x509",
-	"x509.PublicKeyAlgorithm":                     "crypto/x509",
-	"x509.RSA":                                    "crypto/x509",
-	"x509.SHA1WithRSA":                            "crypto/x509",
-	"x509.SHA256WithRSA":                          "crypto/x509",
-	"x509.SHA384WithRSA":                          "crypto/x509",
-	"x509.SHA512WithRSA":                          "crypto/x509",
-	"x509.SignatureAlgorithm":                     "crypto/x509",
-	"x509.SystemRootsError":                       "crypto/x509",
-	"x509.TooManyIntermediates":                   "crypto/x509",
-	"x509.UnhandledCriticalExtension":             "crypto/x509",
-	"x509.UnknownAuthorityError":                  "crypto/x509",
-	"x509.UnknownPublicKeyAlgorithm":              "crypto/x509",
-	"x509.UnknownSignatureAlgorithm":              "crypto/x509",
-	"x509.VerifyOptions":                          "crypto/x509",
-	"xml.Attr":                                    "encoding/xml",
-	"xml.CharData":                                "encoding/xml",
-	"xml.Comment":                                 "encoding/xml",
-	"xml.CopyToken":                               "encoding/xml",
-	"xml.Decoder":                                 "encoding/xml",
-	"xml.Directive":                               "encoding/xml",
-	"xml.Encoder":                                 "encoding/xml",
-	"xml.EndElement":                              "encoding/xml",
-	"xml.Escape":                                  "encoding/xml",
-	"xml.EscapeText":                              "encoding/xml",
-	"xml.HTMLAutoClose":                           "encoding/xml",
-	"xml.HTMLEntity":                              "encoding/xml",
-	"xml.Header":                                  "encoding/xml",
-	"xml.Marshal":                                 "encoding/xml",
-	"xml.MarshalIndent":                           "encoding/xml",
-	"xml.Marshaler":                               "encoding/xml",
-	"xml.MarshalerAttr":                           "encoding/xml",
-	"xml.Name":                                    "encoding/xml",
-	"xml.NewDecoder":                              "encoding/xml",
-	"xml.NewEncoder":                              "encoding/xml",
-	"xml.ProcInst":                                "encoding/xml",
-	"xml.StartElement":                            "encoding/xml",
-	"xml.SyntaxError":                             "encoding/xml",
-	"xml.TagPathError":                            "encoding/xml",
-	"xml.Token":                                   "encoding/xml",
-	"xml.Unmarshal":                               "encoding/xml",
-	"xml.UnmarshalError":                          "encoding/xml",
-	"xml.Unmarshaler":                             "encoding/xml",
-	"xml.UnmarshalerAttr":                         "encoding/xml",
-	"xml.UnsupportedTypeError":                    "encoding/xml",
-	"zip.Compressor":                              "archive/zip",
-	"zip.Decompressor":                            "archive/zip",
-	"zip.Deflate":                                 "archive/zip",
-	"zip.ErrAlgorithm":                            "archive/zip",
-	"zip.ErrChecksum":                             "archive/zip",
-	"zip.ErrFormat":                               "archive/zip",
-	"zip.File":                                    "archive/zip",
-	"zip.FileHeader":                              "archive/zip",
-	"zip.FileInfoHeader":                          "archive/zip",
-	"zip.NewReader":                               "archive/zip",
-	"zip.NewWriter":                               "archive/zip",
-	"zip.OpenReader":                              "archive/zip",
-	"zip.ReadCloser":                              "archive/zip",
-	"zip.Reader":                                  "archive/zip",
-	"zip.RegisterCompressor":                      "archive/zip",
-	"zip.RegisterDecompressor":                    "archive/zip",
-	"zip.Store":                                   "archive/zip",
-	"zip.Writer":                                  "archive/zip",
-	"zlib.BestCompression":                        "compress/zlib",
-	"zlib.BestSpeed":                              "compress/zlib",
-	"zlib.DefaultCompression":                     "compress/zlib",
-	"zlib.ErrChecksum":                            "compress/zlib",
-	"zlib.ErrDictionary":                          "compress/zlib",
-	"zlib.ErrHeader":                              "compress/zlib",
-	"zlib.NewReader":                              "compress/zlib",
-	"zlib.NewReaderDict":                          "compress/zlib",
-	"zlib.NewWriter":                              "compress/zlib",
-	"zlib.NewWriterLevel":                         "compress/zlib",
-	"zlib.NewWriterLevelDict":                     "compress/zlib",
-	"zlib.NoCompression":                          "compress/zlib",
-	"zlib.Resetter":                               "compress/zlib",
-	"zlib.Writer":                                 "compress/zlib",
-
-	"unsafe.Alignof":       "unsafe",
-	"unsafe.ArbitraryType": "unsafe",
-	"unsafe.Offsetof":      "unsafe",
-	"unsafe.Pointer":       "unsafe",
-	"unsafe.Sizeof":        "unsafe",
-}