mirror of
https://github.com/k3s-io/kubernetes.git
synced 2025-10-24 09:05:45 +00:00
569 lines
16 KiB
Go
569 lines
16 KiB
Go
// Copyright 2014 go-dockerclient 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 testing provides a fake implementation of the Docker API, useful for
|
|
// testing purpose.
|
|
package testing
|
|
|
|
import (
|
|
"archive/tar"
|
|
"crypto/rand"
|
|
"encoding/json"
|
|
"errors"
|
|
"fmt"
|
|
"github.com/fsouza/go-dockerclient"
|
|
"github.com/fsouza/go-dockerclient/utils"
|
|
"github.com/gorilla/mux"
|
|
mathrand "math/rand"
|
|
"net"
|
|
"net/http"
|
|
"reflect"
|
|
"regexp"
|
|
"strconv"
|
|
"strings"
|
|
"sync"
|
|
"time"
|
|
)
|
|
|
|
// DockerServer represents a programmable, concurrent (not much), HTTP server
|
|
// implementing a fake version of the Docker remote API.
|
|
//
|
|
// It can used in standalone mode, listening for connections or as an arbitrary
|
|
// HTTP handler.
|
|
//
|
|
// For more details on the remote API, check http://goo.gl/yMI1S.
|
|
type DockerServer struct {
|
|
containers []*docker.Container
|
|
cMut sync.RWMutex
|
|
images []docker.Image
|
|
iMut sync.RWMutex
|
|
imgIDs map[string]string
|
|
listener net.Listener
|
|
mux *mux.Router
|
|
hook func(*http.Request)
|
|
failures map[string]FailureSpec
|
|
}
|
|
|
|
// FailureSpec is used with PrepareFailure and describes in which situations
|
|
// the request should fail. UrlRegex is mandatory, if a container id is sent
|
|
// on the request you can also specify the other properties.
|
|
type FailureSpec struct {
|
|
UrlRegex string
|
|
ContainerPath string
|
|
ContainerArgs []string
|
|
}
|
|
|
|
// NewServer returns a new instance of the fake server, in standalone mode. Use
|
|
// the method URL to get the URL of the server.
|
|
//
|
|
// It receives the bind address (use 127.0.0.1:0 for getting an available port
|
|
// on the host) and a hook function, that will be called on every request.
|
|
func NewServer(bind string, hook func(*http.Request)) (*DockerServer, error) {
|
|
listener, err := net.Listen("tcp", bind)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
server := DockerServer{listener: listener, imgIDs: make(map[string]string), hook: hook,
|
|
failures: make(map[string]FailureSpec)}
|
|
server.buildMuxer()
|
|
go http.Serve(listener, &server)
|
|
return &server, nil
|
|
}
|
|
|
|
func (s *DockerServer) buildMuxer() {
|
|
s.mux = mux.NewRouter()
|
|
s.mux.Path("/commit").Methods("POST").HandlerFunc(s.handlerWrapper(s.commitContainer))
|
|
s.mux.Path("/containers/json").Methods("GET").HandlerFunc(s.handlerWrapper(s.listContainers))
|
|
s.mux.Path("/containers/create").Methods("POST").HandlerFunc(s.handlerWrapper(s.createContainer))
|
|
s.mux.Path("/containers/{id:.*}/json").Methods("GET").HandlerFunc(s.handlerWrapper(s.inspectContainer))
|
|
s.mux.Path("/containers/{id:.*}/start").Methods("POST").HandlerFunc(s.handlerWrapper(s.startContainer))
|
|
s.mux.Path("/containers/{id:.*}/stop").Methods("POST").HandlerFunc(s.handlerWrapper(s.stopContainer))
|
|
s.mux.Path("/containers/{id:.*}/wait").Methods("POST").HandlerFunc(s.handlerWrapper(s.waitContainer))
|
|
s.mux.Path("/containers/{id:.*}/attach").Methods("POST").HandlerFunc(s.handlerWrapper(s.attachContainer))
|
|
s.mux.Path("/containers/{id:.*}").Methods("DELETE").HandlerFunc(s.handlerWrapper(s.removeContainer))
|
|
s.mux.Path("/images/create").Methods("POST").HandlerFunc(s.handlerWrapper(s.pullImage))
|
|
s.mux.Path("/build").Methods("POST").HandlerFunc(s.handlerWrapper(s.buildImage))
|
|
s.mux.Path("/images/json").Methods("GET").HandlerFunc(s.handlerWrapper(s.listImages))
|
|
s.mux.Path("/images/{id:.*}").Methods("DELETE").HandlerFunc(s.handlerWrapper(s.removeImage))
|
|
s.mux.Path("/images/{name:.*}/json").Methods("GET").HandlerFunc(s.handlerWrapper(s.inspectImage))
|
|
s.mux.Path("/images/{name:.*}/push").Methods("POST").HandlerFunc(s.handlerWrapper(s.pushImage))
|
|
s.mux.Path("/events").Methods("GET").HandlerFunc(s.listEvents)
|
|
}
|
|
|
|
// PrepareFailure adds a new expected failure based on a FailureSpec
|
|
// it receives an id for the failure and the spec.
|
|
func (s *DockerServer) PrepareFailure(id string, spec FailureSpec) {
|
|
s.failures[id] = spec
|
|
}
|
|
|
|
// ResetFailure removes an expected failure identified by the id
|
|
func (s *DockerServer) ResetFailure(id string) {
|
|
delete(s.failures, id)
|
|
}
|
|
|
|
// Stop stops the server.
|
|
func (s *DockerServer) Stop() {
|
|
if s.listener != nil {
|
|
s.listener.Close()
|
|
}
|
|
}
|
|
|
|
// URL returns the HTTP URL of the server.
|
|
func (s *DockerServer) URL() string {
|
|
if s.listener == nil {
|
|
return ""
|
|
}
|
|
return "http://" + s.listener.Addr().String() + "/"
|
|
}
|
|
|
|
// ServeHTTP handles HTTP requests sent to the server.
|
|
func (s *DockerServer) ServeHTTP(w http.ResponseWriter, r *http.Request) {
|
|
s.mux.ServeHTTP(w, r)
|
|
if s.hook != nil {
|
|
s.hook(r)
|
|
}
|
|
}
|
|
|
|
func (s *DockerServer) handlerWrapper(f func(http.ResponseWriter, *http.Request)) func(http.ResponseWriter, *http.Request) {
|
|
return func(w http.ResponseWriter, r *http.Request) {
|
|
for errorId, spec := range s.failures {
|
|
matched, err := regexp.MatchString(spec.UrlRegex, r.URL.Path)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusBadRequest)
|
|
return
|
|
}
|
|
if !matched {
|
|
continue
|
|
}
|
|
id := mux.Vars(r)["id"]
|
|
if id != "" {
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusBadRequest)
|
|
return
|
|
}
|
|
if spec.ContainerPath != "" && container.Path != spec.ContainerPath {
|
|
continue
|
|
}
|
|
if spec.ContainerArgs != nil && reflect.DeepEqual(container.Args, spec.ContainerArgs) {
|
|
continue
|
|
}
|
|
}
|
|
http.Error(w, errorId, http.StatusBadRequest)
|
|
return
|
|
}
|
|
f(w, r)
|
|
}
|
|
}
|
|
|
|
func (s *DockerServer) listContainers(w http.ResponseWriter, r *http.Request) {
|
|
all := r.URL.Query().Get("all")
|
|
s.cMut.RLock()
|
|
result := make([]docker.APIContainers, len(s.containers))
|
|
for i, container := range s.containers {
|
|
if all == "1" || container.State.Running {
|
|
result[i] = docker.APIContainers{
|
|
ID: container.ID,
|
|
Image: container.Image,
|
|
Command: fmt.Sprintf("%s %s", container.Path, strings.Join(container.Args, " ")),
|
|
Created: container.Created.Unix(),
|
|
Status: container.State.String(),
|
|
Ports: container.NetworkSettings.PortMappingAPI(),
|
|
}
|
|
}
|
|
}
|
|
s.cMut.RUnlock()
|
|
w.Header().Set("Content-Type", "application/json")
|
|
w.WriteHeader(http.StatusOK)
|
|
json.NewEncoder(w).Encode(result)
|
|
}
|
|
|
|
func (s *DockerServer) listImages(w http.ResponseWriter, r *http.Request) {
|
|
s.cMut.RLock()
|
|
result := make([]docker.APIImages, len(s.images))
|
|
for i, image := range s.images {
|
|
result[i] = docker.APIImages{
|
|
ID: image.ID,
|
|
Created: image.Created.Unix(),
|
|
}
|
|
}
|
|
s.cMut.RUnlock()
|
|
w.Header().Set("Content-Type", "application/json")
|
|
w.WriteHeader(http.StatusOK)
|
|
json.NewEncoder(w).Encode(result)
|
|
}
|
|
|
|
func (s *DockerServer) findImage(id string) (string, error) {
|
|
s.iMut.RLock()
|
|
defer s.iMut.RUnlock()
|
|
image, ok := s.imgIDs[id]
|
|
if ok {
|
|
return image, nil
|
|
}
|
|
image, _, err := s.findImageByID(id)
|
|
return image, err
|
|
}
|
|
|
|
func (s *DockerServer) findImageByID(id string) (string, int, error) {
|
|
s.iMut.RLock()
|
|
defer s.iMut.RUnlock()
|
|
for i, image := range s.images {
|
|
if image.ID == id {
|
|
return image.ID, i, nil
|
|
}
|
|
}
|
|
return "", -1, errors.New("No such image")
|
|
}
|
|
|
|
func (s *DockerServer) createContainer(w http.ResponseWriter, r *http.Request) {
|
|
var config docker.Config
|
|
defer r.Body.Close()
|
|
err := json.NewDecoder(r.Body).Decode(&config)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusBadRequest)
|
|
return
|
|
}
|
|
image, err := s.findImage(config.Image)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
w.WriteHeader(http.StatusCreated)
|
|
ports := map[docker.Port][]docker.PortBinding{}
|
|
for port := range config.ExposedPorts {
|
|
ports[port] = []docker.PortBinding{{
|
|
HostIp: "0.0.0.0",
|
|
HostPort: strconv.Itoa(mathrand.Int() % 65536),
|
|
}}
|
|
}
|
|
|
|
//the container may not have cmd when using a Dockerfile
|
|
var path string
|
|
var args []string
|
|
if len(config.Cmd) == 1 {
|
|
path = config.Cmd[0]
|
|
} else if len(config.Cmd) > 1 {
|
|
path = config.Cmd[0]
|
|
args = config.Cmd[1:]
|
|
}
|
|
|
|
container := docker.Container{
|
|
ID: s.generateID(),
|
|
Created: time.Now(),
|
|
Path: path,
|
|
Args: args,
|
|
Config: &config,
|
|
State: docker.State{
|
|
Running: false,
|
|
Pid: mathrand.Int() % 50000,
|
|
ExitCode: 0,
|
|
StartedAt: time.Now(),
|
|
},
|
|
Image: image,
|
|
NetworkSettings: &docker.NetworkSettings{
|
|
IPAddress: fmt.Sprintf("172.16.42.%d", mathrand.Int()%250+2),
|
|
IPPrefixLen: 24,
|
|
Gateway: "172.16.42.1",
|
|
Bridge: "docker0",
|
|
Ports: ports,
|
|
},
|
|
}
|
|
s.cMut.Lock()
|
|
s.containers = append(s.containers, &container)
|
|
s.cMut.Unlock()
|
|
var c = struct{ ID string }{ID: container.ID}
|
|
json.NewEncoder(w).Encode(c)
|
|
}
|
|
|
|
func (s *DockerServer) generateID() string {
|
|
var buf [16]byte
|
|
rand.Read(buf[:])
|
|
return fmt.Sprintf("%x", buf)
|
|
}
|
|
|
|
func (s *DockerServer) inspectContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
w.Header().Set("Content-Type", "application/json")
|
|
w.WriteHeader(http.StatusOK)
|
|
json.NewEncoder(w).Encode(container)
|
|
}
|
|
|
|
func (s *DockerServer) startContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
s.cMut.Lock()
|
|
defer s.cMut.Unlock()
|
|
if container.State.Running {
|
|
http.Error(w, "Container already running", http.StatusBadRequest)
|
|
return
|
|
}
|
|
container.State.Running = true
|
|
}
|
|
|
|
func (s *DockerServer) stopContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
s.cMut.Lock()
|
|
defer s.cMut.Unlock()
|
|
if !container.State.Running {
|
|
http.Error(w, "Container not running", http.StatusBadRequest)
|
|
return
|
|
}
|
|
w.WriteHeader(http.StatusNoContent)
|
|
container.State.Running = false
|
|
}
|
|
|
|
func (s *DockerServer) attachContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
outStream := utils.NewStdWriter(w, utils.Stdout)
|
|
fmt.Fprintf(outStream, "HTTP/1.1 200 OK\r\nContent-Type: application/vnd.docker.raw-stream\r\n\r\n")
|
|
if container.State.Running {
|
|
fmt.Fprintf(outStream, "Container %q is running\n", container.ID)
|
|
} else {
|
|
fmt.Fprintf(outStream, "Container %q is not running\n", container.ID)
|
|
}
|
|
fmt.Fprintln(outStream, "What happened?")
|
|
fmt.Fprintln(outStream, "Something happened")
|
|
}
|
|
|
|
func (s *DockerServer) waitContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
for {
|
|
time.Sleep(1e6)
|
|
s.cMut.RLock()
|
|
if !container.State.Running {
|
|
s.cMut.RUnlock()
|
|
break
|
|
}
|
|
s.cMut.RUnlock()
|
|
}
|
|
w.Write([]byte(`{"StatusCode":0}`))
|
|
}
|
|
|
|
func (s *DockerServer) removeContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
_, index, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
if s.containers[index].State.Running {
|
|
msg := "Error: API error (406): Impossible to remove a running container, please stop it first"
|
|
http.Error(w, msg, http.StatusInternalServerError)
|
|
return
|
|
}
|
|
w.WriteHeader(http.StatusNoContent)
|
|
s.cMut.Lock()
|
|
defer s.cMut.Unlock()
|
|
s.containers[index] = s.containers[len(s.containers)-1]
|
|
s.containers = s.containers[:len(s.containers)-1]
|
|
}
|
|
|
|
func (s *DockerServer) commitContainer(w http.ResponseWriter, r *http.Request) {
|
|
id := r.URL.Query().Get("container")
|
|
container, _, err := s.findContainer(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
var config *docker.Config
|
|
runConfig := r.URL.Query().Get("run")
|
|
if runConfig != "" {
|
|
config = new(docker.Config)
|
|
err = json.Unmarshal([]byte(runConfig), config)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusBadRequest)
|
|
return
|
|
}
|
|
}
|
|
w.WriteHeader(http.StatusOK)
|
|
image := docker.Image{
|
|
ID: "img-" + container.ID,
|
|
Parent: container.Image,
|
|
Container: container.ID,
|
|
Comment: r.URL.Query().Get("m"),
|
|
Author: r.URL.Query().Get("author"),
|
|
Config: config,
|
|
}
|
|
repository := r.URL.Query().Get("repo")
|
|
s.iMut.Lock()
|
|
s.images = append(s.images, image)
|
|
if repository != "" {
|
|
s.imgIDs[repository] = image.ID
|
|
}
|
|
s.iMut.Unlock()
|
|
fmt.Fprintf(w, `{"ID":%q}`, image.ID)
|
|
}
|
|
|
|
func (s *DockerServer) findContainer(id string) (*docker.Container, int, error) {
|
|
s.cMut.RLock()
|
|
defer s.cMut.RUnlock()
|
|
for i, container := range s.containers {
|
|
if container.ID == id {
|
|
return container, i, nil
|
|
}
|
|
}
|
|
return nil, -1, errors.New("No such container")
|
|
}
|
|
|
|
func (s *DockerServer) buildImage(w http.ResponseWriter, r *http.Request) {
|
|
if ct := r.Header.Get("Content-Type"); ct == "application/tar" {
|
|
gotDockerFile := false
|
|
tr := tar.NewReader(r.Body)
|
|
for {
|
|
header, err := tr.Next()
|
|
if err != nil {
|
|
break
|
|
}
|
|
if header.Name == "Dockerfile" {
|
|
gotDockerFile = true
|
|
}
|
|
}
|
|
if !gotDockerFile {
|
|
w.WriteHeader(http.StatusBadRequest)
|
|
w.Write([]byte("miss Dockerfile"))
|
|
return
|
|
}
|
|
}
|
|
//we did not use that Dockerfile to build image cause we are a fake Docker daemon
|
|
image := docker.Image{
|
|
ID: s.generateID(),
|
|
}
|
|
query := r.URL.Query()
|
|
repository := image.ID
|
|
if t := query.Get("t"); t != "" {
|
|
repository = t
|
|
}
|
|
s.iMut.Lock()
|
|
s.images = append(s.images, image)
|
|
s.imgIDs[repository] = image.ID
|
|
s.iMut.Unlock()
|
|
w.Write([]byte(fmt.Sprintf("Successfully built %s", image.ID)))
|
|
}
|
|
|
|
func (s *DockerServer) pullImage(w http.ResponseWriter, r *http.Request) {
|
|
repository := r.URL.Query().Get("fromImage")
|
|
image := docker.Image{
|
|
ID: s.generateID(),
|
|
}
|
|
s.iMut.Lock()
|
|
s.images = append(s.images, image)
|
|
if repository != "" {
|
|
s.imgIDs[repository] = image.ID
|
|
}
|
|
s.iMut.Unlock()
|
|
}
|
|
|
|
func (s *DockerServer) pushImage(w http.ResponseWriter, r *http.Request) {
|
|
name := mux.Vars(r)["name"]
|
|
s.iMut.RLock()
|
|
if _, ok := s.imgIDs[name]; !ok {
|
|
s.iMut.RUnlock()
|
|
http.Error(w, "No such image", http.StatusNotFound)
|
|
return
|
|
}
|
|
s.iMut.RUnlock()
|
|
fmt.Fprintln(w, "Pushing...")
|
|
fmt.Fprintln(w, "Pushed")
|
|
}
|
|
|
|
func (s *DockerServer) removeImage(w http.ResponseWriter, r *http.Request) {
|
|
id := mux.Vars(r)["id"]
|
|
s.iMut.RLock()
|
|
if img, ok := s.imgIDs[id]; ok {
|
|
id = img
|
|
}
|
|
s.iMut.RUnlock()
|
|
_, index, err := s.findImageByID(id)
|
|
if err != nil {
|
|
http.Error(w, err.Error(), http.StatusNotFound)
|
|
return
|
|
}
|
|
w.WriteHeader(http.StatusNoContent)
|
|
s.iMut.Lock()
|
|
defer s.iMut.Unlock()
|
|
s.images[index] = s.images[len(s.images)-1]
|
|
s.images = s.images[:len(s.images)-1]
|
|
}
|
|
|
|
func (s *DockerServer) inspectImage(w http.ResponseWriter, r *http.Request) {
|
|
name := mux.Vars(r)["name"]
|
|
if id, ok := s.imgIDs[name]; ok {
|
|
s.iMut.Lock()
|
|
defer s.iMut.Unlock()
|
|
|
|
for _, img := range s.images {
|
|
if img.ID == id {
|
|
w.Header().Set("Content-Type", "application/json")
|
|
w.WriteHeader(http.StatusOK)
|
|
json.NewEncoder(w).Encode(img)
|
|
return
|
|
}
|
|
}
|
|
}
|
|
http.Error(w, "not found", http.StatusNotFound)
|
|
}
|
|
|
|
func (s *DockerServer) listEvents(w http.ResponseWriter, r *http.Request) {
|
|
w.Header().Set("Content-Type", "application/json")
|
|
var events [][]byte
|
|
count := mathrand.Intn(20)
|
|
for i := 0; i < count; i++ {
|
|
data, err := json.Marshal(s.generateEvent())
|
|
if err != nil {
|
|
w.WriteHeader(http.StatusInternalServerError)
|
|
return
|
|
}
|
|
events = append(events, data)
|
|
}
|
|
w.WriteHeader(http.StatusOK)
|
|
for _, d := range events {
|
|
fmt.Fprintln(w, d)
|
|
time.Sleep(time.Duration(mathrand.Intn(200)) * time.Millisecond)
|
|
}
|
|
}
|
|
|
|
func (s *DockerServer) generateEvent() *docker.APIEvents {
|
|
var eventType string
|
|
switch mathrand.Intn(4) {
|
|
case 0:
|
|
eventType = "create"
|
|
case 1:
|
|
eventType = "start"
|
|
case 2:
|
|
eventType = "stop"
|
|
case 3:
|
|
eventType = "destroy"
|
|
}
|
|
return &docker.APIEvents{
|
|
ID: s.generateID(),
|
|
Status: eventType,
|
|
From: "mybase:latest",
|
|
Time: time.Now().Unix(),
|
|
}
|
|
}
|