summaryrefslogtreecommitdiff
path: root/pkg/api/handlers/images_build.go
blob: 0ea48031525091c276bba630122ece3cde4fb55c (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
package handlers

import (
	"encoding/base64"
	"encoding/json"
	"fmt"
	"io"
	"io/ioutil"
	"net/http"
	"os"
	"path/filepath"
	"strings"

	"github.com/containers/buildah"
	"github.com/containers/buildah/imagebuildah"
	"github.com/containers/libpod/pkg/api/handlers/utils"
	"github.com/containers/storage/pkg/archive"
	log "github.com/sirupsen/logrus"
)

func BuildImage(w http.ResponseWriter, r *http.Request) {
	// contentType := r.Header.Get("Content-Type")
	// if contentType != "application/x-tar" {
	// 	Error(w, http.StatusText(http.StatusBadRequest), http.StatusBadRequest, errors.New("/build expects Content-Type of 'application/x-tar'"))
	// 	return
	// }

	authConfigs := map[string]AuthConfig{}
	if hasHeader(r, "X-Registry-Config") {
		registryHeader := getHeader(r, "X-Registry-Config")
		authConfigsJSON := base64.NewDecoder(base64.URLEncoding, strings.NewReader(registryHeader))
		if json.NewDecoder(authConfigsJSON).Decode(&authConfigs) != nil {
			utils.BadRequest(w, "X-Registry-Config", registryHeader, json.NewDecoder(authConfigsJSON).Decode(&authConfigs))
			return
		}
	}

	anchorDir, err := extractTarFile(r, w)
	if err != nil {
		utils.InternalServerError(w, err)
		return
	}
	// defer os.RemoveAll(anchorDir)

	query := struct {
		Dockerfile  string `json:"dockerfile"`
		Tag         string `json:"t"`
		ExtraHosts  string `json:"extrahosts"`
		Remote      string `json:"remote"`
		Quiet       bool   `json:"q"`
		NoCache     bool   `json:"nocache"`
		CacheFrom   string `json:"cachefrom"`
		Pull        string `json:"pull"`
		Rm          bool   `json:"rm"`
		ForceRm     bool   `json:"forcerm"`
		Memory      int    `json:"memory"`
		MemSwap     int    `json:"memswap"`
		CpuShares   int    `json:"cpushares"`
		CpuSetCpus  string `json:"cpusetcpus"`
		CpuPeriod   int    `json:"cpuperiod"`
		CpuQuota    int    `json:"cpuquota"`
		BuildArgs   string `json:"buildargs"`
		ShmSize     int    `json:"shmsize"`
		Squash      bool   `json:"squash"`
		Labels      string `json:"labels"`
		NetworkMode string `json:"networkmode"`
		Platform    string `json:"platform"`
		Target      string `json:"target"`
		Outputs     string `json:"outputs"`
	}{
		Dockerfile:  "Dockerfile",
		Tag:         "",
		ExtraHosts:  "",
		Remote:      "",
		Quiet:       false,
		NoCache:     false,
		CacheFrom:   "",
		Pull:        "",
		Rm:          true,
		ForceRm:     false,
		Memory:      0,
		MemSwap:     0,
		CpuShares:   0,
		CpuSetCpus:  "",
		CpuPeriod:   0,
		CpuQuota:    0,
		BuildArgs:   "",
		ShmSize:     64 * 1024 * 1024,
		Squash:      false,
		Labels:      "",
		NetworkMode: "",
		Platform:    "",
		Target:      "",
		Outputs:     "",
	}

	if err := decodeQuery(r, &query); err != nil {
		utils.Error(w, http.StatusText(http.StatusBadRequest), http.StatusBadRequest, err)
		return
	}

	// Tag is the name with optional tag...
	var name = query.Tag
	var tag string
	if strings.Contains(query.Tag, ":") {
		tokens := strings.SplitN(query.Tag, ":", 2)
		name = tokens[0]
		tag = tokens[1]
	}

	var buildArgs = map[string]string{}
	if found := hasVar(r, "buildargs"); found {
		if err := json.Unmarshal([]byte(query.BuildArgs), &buildArgs); err != nil {
			utils.BadRequest(w, "buildargs", query.BuildArgs, err)
			return
		}
	}

	// convert label formats
	var labels = []string{}
	if hasVar(r, "labels") {
		var m = map[string]string{}
		if err := json.Unmarshal([]byte(query.Labels), &m); err != nil {
			utils.BadRequest(w, "labels", query.Labels, err)
			return
		}

		for k, v := range m {
			labels = append(labels, fmt.Sprintf("%s=%v", k, v))
		}
	}

	buildOptions := imagebuildah.BuildOptions{
		ContextDirectory:               filepath.Join(anchorDir, "build"),
		PullPolicy:                     0,
		Registry:                       "",
		IgnoreUnrecognizedInstructions: false,
		Quiet:                          query.Quiet,
		Isolation:                      0,
		Runtime:                        "",
		RuntimeArgs:                    nil,
		TransientMounts:                nil,
		Compression:                    0,
		Args:                           buildArgs,
		Output:                         name,
		AdditionalTags:                 []string{tag},
		Log:                            nil,
		In:                             nil,
		Out:                            nil,
		Err:                            nil,
		SignaturePolicyPath:            "",
		ReportWriter:                   nil,
		OutputFormat:                   "",
		SystemContext:                  nil,
		NamespaceOptions:               nil,
		ConfigureNetwork:               0,
		CNIPluginPath:                  "",
		CNIConfigDir:                   "",
		IDMappingOptions:               nil,
		AddCapabilities:                nil,
		DropCapabilities:               nil,
		CommonBuildOpts:                &buildah.CommonBuildOptions{},
		DefaultMountsFilePath:          "",
		IIDFile:                        "",
		Squash:                         query.Squash,
		Labels:                         labels,
		Annotations:                    nil,
		OnBuild:                        nil,
		Layers:                         false,
		NoCache:                        query.NoCache,
		RemoveIntermediateCtrs:         query.Rm,
		ForceRmIntermediateCtrs:        query.ForceRm,
		BlobDirectory:                  "",
		Target:                         query.Target,
		Devices:                        nil,
	}

	id, _, err := getRuntime(r).Build(r.Context(), buildOptions, query.Dockerfile)
	if err != nil {
		utils.InternalServerError(w, err)
	}

	// Find image ID that was built...
	utils.WriteResponse(w, http.StatusOK,
		struct {
			Stream string `json:"stream"`
		}{
			Stream: fmt.Sprintf("Successfully built %s\n", id),
		})
}

func extractTarFile(r *http.Request, w http.ResponseWriter) (string, error) {
	var (
		// length  int64
		// n       int64
		copyErr error
	)

	// build a home for the request body
	anchorDir, err := ioutil.TempDir("", "libpod_builder")
	if err != nil {
		return "", err
	}
	buildDir := filepath.Join(anchorDir, "build")

	path := filepath.Join(anchorDir, "tarBall")
	tarBall, err := os.OpenFile(path, os.O_RDWR|os.O_CREATE|os.O_TRUNC, 0666)
	if err != nil {
		return "", err
	}
	defer tarBall.Close()

	// if hasHeader(r, "Content-Length") {
	// 	length, err := strconv.ParseInt(getHeader(r, "Content-Length"), 10, 64)
	// 	if err != nil {
	// 		return "", errors.New(fmt.Sprintf("Failed request: unable to parse Content-Length of '%s'", getHeader(r, "Content-Length")))
	// 	}
	// 	n, copyErr = io.CopyN(tarBall, r.Body, length+1)
	// } else {
	_, copyErr = io.Copy(tarBall, r.Body)
	// }
	r.Body.Close()

	if copyErr != nil {
		utils.InternalServerError(w,
			fmt.Errorf("failed Request: Unable to copy tar file from request body %s", r.RequestURI))
	}
	log.Debugf("Content-Length: %s", getVar(r, "Content-Length"))

	// if hasHeader(r, "Content-Length") && n != length {
	// 	return "", errors.New(fmt.Sprintf("Failed request: Given Content-Length does not match file size %d != %d", n, length))
	// }

	_, _ = tarBall.Seek(0, 0)
	if err := archive.Untar(tarBall, buildDir, &archive.TarOptions{}); err != nil {
		return "", err
	}
	return anchorDir, nil
}