forked from openshift/origin
-
Notifications
You must be signed in to change notification settings - Fork 1
/
util.go
475 lines (427 loc) · 15.8 KB
/
util.go
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
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
package util
import (
"fmt"
"net/url"
"path/filepath"
"regexp"
"strconv"
"strings"
"github.com/golang/glog"
s2iapi "github.com/openshift/source-to-image/pkg/api"
s2iutil "github.com/openshift/source-to-image/pkg/util"
corev1 "k8s.io/api/core/v1"
metav1 "k8s.io/apimachinery/pkg/apis/meta/v1"
"k8s.io/apimachinery/pkg/labels"
kapi "k8s.io/kubernetes/pkg/apis/core"
kapiv1 "k8s.io/kubernetes/pkg/apis/core/v1"
"k8s.io/kubernetes/pkg/credentialprovider"
credentialprovidersecrets "k8s.io/kubernetes/pkg/credentialprovider/secrets"
buildapiv1 "github.com/openshift/api/build/v1"
buildapi "github.com/openshift/origin/pkg/build/apis/build"
buildlister "github.com/openshift/origin/pkg/build/generated/listers/build/internalversion"
)
const (
// NoBuildLogsMessage reports that no build logs are available
NoBuildLogsMessage = "No logs are available."
// WorkDir is the working directory within the build pod, mounted as a volume.
BuildWorkDirMount = "/tmp/build"
// BuilderServiceAccountName is the name of the account used to run build pods by default.
BuilderServiceAccountName = "builder"
)
var (
// InputContentPath is the path at which the build inputs will be available
// to all the build containers.
InputContentPath = filepath.Join(BuildWorkDirMount, "inputs")
proxyRegex = regexp.MustCompile("(?i)proxy")
)
// GetBuildName returns name of the build pod.
func GetBuildName(pod metav1.Object) string {
if pod == nil {
return ""
}
return pod.GetAnnotations()[buildapi.BuildAnnotation]
}
// IsBuildComplete returns whether the provided build is complete or not
func IsBuildComplete(build *buildapi.Build) bool {
return IsTerminalPhase(build.Status.Phase)
}
// IsTerminalPhase returns true if the provided phase is terminal
func IsTerminalPhase(phase buildapi.BuildPhase) bool {
switch phase {
case buildapi.BuildPhaseNew,
buildapi.BuildPhasePending,
buildapi.BuildPhaseRunning:
return false
}
return true
}
// IsPaused returns true if the provided BuildConfig is paused and cannot be used to create a new Build
func IsPaused(bc *buildapi.BuildConfig) bool {
return strings.ToLower(bc.Annotations[buildapi.BuildConfigPausedAnnotation]) == "true"
}
// BuildNumber returns the given build number.
func BuildNumber(build *buildapi.Build) (int64, error) {
annotations := build.GetAnnotations()
if stringNumber, ok := annotations[buildapi.BuildNumberAnnotation]; ok {
return strconv.ParseInt(stringNumber, 10, 64)
}
return 0, fmt.Errorf("build %s/%s does not have %s annotation", build.Namespace, build.Name, buildapi.BuildNumberAnnotation)
}
// BuildRunPolicy returns the scheduling policy for the build based on the
// "queued" label.
func BuildRunPolicy(build *buildapi.Build) buildapi.BuildRunPolicy {
labels := build.GetLabels()
if value, found := labels[buildapi.BuildRunPolicyLabel]; found {
switch value {
case "Parallel":
return buildapi.BuildRunPolicyParallel
case "Serial":
return buildapi.BuildRunPolicySerial
case "SerialLatestOnly":
return buildapi.BuildRunPolicySerialLatestOnly
}
}
glog.V(5).Infof("Build %s/%s does not have start policy label set, using default (Serial)", build.Namespace, build.Name)
return buildapi.BuildRunPolicySerial
}
// BuildNameForConfigVersion returns the name of the version-th build
// for the config that has the provided name.
func BuildNameForConfigVersion(name string, version int) string {
return fmt.Sprintf("%s-%d", name, version)
}
// BuildConfigSelector returns a label Selector which can be used to find all
// builds for a BuildConfig.
func BuildConfigSelector(name string) labels.Selector {
return labels.Set{buildapi.BuildConfigLabel: buildapi.LabelValue(name)}.AsSelector()
}
// BuildConfigSelectorDeprecated returns a label Selector which can be used to find
// all builds for a BuildConfig that use the deprecated labels.
func BuildConfigSelectorDeprecated(name string) labels.Selector {
return labels.Set{buildapi.BuildConfigLabelDeprecated: name}.AsSelector()
}
type buildFilter func(*buildapi.Build) bool
// BuildConfigBuilds return a list of builds for the given build config.
// Optionally you can specify a filter function to select only builds that
// matches your criteria.
func BuildConfigBuilds(c buildlister.BuildLister, namespace, name string, filterFunc buildFilter) ([]*buildapi.Build, error) {
result, err := c.Builds(namespace).List(BuildConfigSelector(name))
if err != nil {
return nil, err
}
if filterFunc == nil {
return result, nil
}
var filteredList []*buildapi.Build
for _, b := range result {
if filterFunc(b) {
filteredList = append(filteredList, b)
}
}
return filteredList, nil
}
// ConfigNameForBuild returns the name of the build config from a
// build name.
func ConfigNameForBuild(build *buildapi.Build) string {
if build == nil {
return ""
}
if build.Annotations != nil {
if _, exists := build.Annotations[buildapi.BuildConfigAnnotation]; exists {
return build.Annotations[buildapi.BuildConfigAnnotation]
}
}
if _, exists := build.Labels[buildapi.BuildConfigLabel]; exists {
return build.Labels[buildapi.BuildConfigLabel]
}
return build.Labels[buildapi.BuildConfigLabelDeprecated]
}
// VersionForBuild returns the version from the provided build name.
// If no version can be found, 0 is returned to indicate no version.
func VersionForBuild(build *buildapi.Build) int {
if build == nil {
return 0
}
versionString := build.Annotations[buildapi.BuildNumberAnnotation]
version, err := strconv.Atoi(versionString)
if err != nil {
return 0
}
return version
}
func CopyApiResourcesToV1Resources(in *kapi.ResourceRequirements) corev1.ResourceRequirements {
in = in.DeepCopy()
out := corev1.ResourceRequirements{}
if err := kapiv1.Convert_core_ResourceRequirements_To_v1_ResourceRequirements(in, &out, nil); err != nil {
panic(err)
}
return out
}
func CopyApiEnvVarToV1EnvVar(in []kapi.EnvVar) []corev1.EnvVar {
out := make([]corev1.EnvVar, len(in))
for i := range in {
item := in[i].DeepCopy()
if err := kapiv1.Convert_core_EnvVar_To_v1_EnvVar(item, &out[i], nil); err != nil {
panic(err)
}
}
return out
}
// MergeTrustedEnvWithoutDuplicates merges two environment lists without having
// duplicate items in the output list. The source list will be filtered
// such that only whitelisted environment variables are merged into the
// output list. If sourcePrecedence is true, keys in the source list
// will override keys in the output list.
func MergeTrustedEnvWithoutDuplicates(source []corev1.EnvVar, output *[]corev1.EnvVar, sourcePrecedence bool) {
// filter out all environment variables except trusted/well known
// values, because we do not want random environment variables being
// fed into the privileged STI container via the BuildConfig definition.
type sourceMapItem struct {
index int
value string
}
index := 0
filteredSourceMap := make(map[string]sourceMapItem)
filteredSource := []corev1.EnvVar{}
for _, env := range source {
for _, acceptable := range buildapi.WhitelistEnvVarNames {
if env.Name == acceptable {
filteredSource = append(filteredSource, env)
filteredSourceMap[env.Name] = sourceMapItem{index, env.Value}
index++
break
}
}
}
result := *output
for i, env := range result {
// If the value exists in output, override it and remove it
// from the source list
if v, found := filteredSourceMap[env.Name]; found {
if sourcePrecedence {
result[i].Value = v.value
}
filteredSource = append(filteredSource[:v.index], filteredSource[v.index+1:]...)
}
}
*output = append(result, filteredSource...)
}
// SafeForLoggingURL removes the user:password section of
// a url if present. If not present the value is returned unchanged.
func SafeForLoggingURL(u *url.URL) *url.URL {
if u == nil {
return nil
}
newURL, err := url.Parse(u.String())
if err != nil {
return nil
}
if newURL.User != nil {
if _, passwordSet := newURL.User.Password(); passwordSet {
newURL.User = url.User("redacted")
}
}
return newURL
}
// SafeForLoggingEnvVar returns a copy of an EnvVar array with
// proxy credential values redacted.
func SafeForLoggingEnvVar(env []corev1.EnvVar) []corev1.EnvVar {
newEnv := make([]corev1.EnvVar, len(env))
copy(newEnv, env)
for i, env := range newEnv {
if proxyRegex.MatchString(env.Name) {
newEnv[i].Value, _ = s2iutil.SafeForLoggingURL(env.Value)
}
}
return newEnv
}
// SafeForLoggingBuildCommonSpec returns a copy of a CommonSpec with
// proxy credential env variable values redacted.
func SafeForLoggingBuildCommonSpec(spec *buildapiv1.CommonSpec) *buildapiv1.CommonSpec {
newSpec := spec.DeepCopy()
if newSpec.Source.Git != nil {
if newSpec.Source.Git.HTTPProxy != nil {
s, _ := s2iutil.SafeForLoggingURL(*newSpec.Source.Git.HTTPProxy)
newSpec.Source.Git.HTTPProxy = &s
}
if newSpec.Source.Git.HTTPSProxy != nil {
s, _ := s2iutil.SafeForLoggingURL(*newSpec.Source.Git.HTTPSProxy)
newSpec.Source.Git.HTTPSProxy = &s
}
}
if newSpec.Strategy.SourceStrategy != nil {
newSpec.Strategy.SourceStrategy.Env = SafeForLoggingEnvVar(newSpec.Strategy.SourceStrategy.Env)
}
if newSpec.Strategy.DockerStrategy != nil {
newSpec.Strategy.DockerStrategy.Env = SafeForLoggingEnvVar(newSpec.Strategy.DockerStrategy.Env)
}
if newSpec.Strategy.CustomStrategy != nil {
newSpec.Strategy.CustomStrategy.Env = SafeForLoggingEnvVar(newSpec.Strategy.CustomStrategy.Env)
}
if newSpec.Strategy.JenkinsPipelineStrategy != nil {
newSpec.Strategy.JenkinsPipelineStrategy.Env = SafeForLoggingEnvVar(newSpec.Strategy.JenkinsPipelineStrategy.Env)
}
return newSpec
}
// SafeForLoggingBuild returns a copy of a Build with
// proxy credentials redacted.
func SafeForLoggingBuild(build *buildapiv1.Build) *buildapiv1.Build {
newBuild := *build
newSpec := SafeForLoggingBuildCommonSpec(&build.Spec.CommonSpec)
newBuild.Spec.CommonSpec = *newSpec
return &newBuild
}
// SafeForLoggingEnvironmentList returns a copy of an s2i EnvironmentList array with
// proxy credential values redacted.
func SafeForLoggingEnvironmentList(env s2iapi.EnvironmentList) s2iapi.EnvironmentList {
newEnv := make(s2iapi.EnvironmentList, len(env))
copy(newEnv, env)
proxyRegex := regexp.MustCompile("(?i)proxy")
for i, env := range newEnv {
if proxyRegex.MatchString(env.Name) {
newEnv[i].Value, _ = s2iutil.SafeForLoggingURL(env.Value)
}
}
return newEnv
}
// SafeForLoggingS2IConfig returns a copy of an s2i Config with
// proxy credentials redacted.
func SafeForLoggingS2IConfig(config *s2iapi.Config) *s2iapi.Config {
newConfig := *config
newConfig.Environment = SafeForLoggingEnvironmentList(config.Environment)
if config.ScriptDownloadProxyConfig != nil {
newProxy := *config.ScriptDownloadProxyConfig
newConfig.ScriptDownloadProxyConfig = &newProxy
if newConfig.ScriptDownloadProxyConfig.HTTPProxy != nil {
newConfig.ScriptDownloadProxyConfig.HTTPProxy = SafeForLoggingURL(newConfig.ScriptDownloadProxyConfig.HTTPProxy)
}
if newConfig.ScriptDownloadProxyConfig.HTTPProxy != nil {
newConfig.ScriptDownloadProxyConfig.HTTPSProxy = SafeForLoggingURL(newConfig.ScriptDownloadProxyConfig.HTTPProxy)
}
}
newConfig.ScriptsURL, _ = s2iutil.SafeForLoggingURL(newConfig.ScriptsURL)
return &newConfig
}
// GetBuildConfigEnv gets the buildconfig strategy environment
func GetBuildConfigEnv(buildConfig *buildapi.BuildConfig) []kapi.EnvVar {
switch {
case buildConfig.Spec.Strategy.SourceStrategy != nil:
return buildConfig.Spec.Strategy.SourceStrategy.Env
case buildConfig.Spec.Strategy.DockerStrategy != nil:
return buildConfig.Spec.Strategy.DockerStrategy.Env
case buildConfig.Spec.Strategy.CustomStrategy != nil:
return buildConfig.Spec.Strategy.CustomStrategy.Env
case buildConfig.Spec.Strategy.JenkinsPipelineStrategy != nil:
return buildConfig.Spec.Strategy.JenkinsPipelineStrategy.Env
default:
return nil
}
}
// GetBuildEnv gets the build strategy environment
func GetBuildEnv(build *buildapi.Build) []kapi.EnvVar {
switch {
case build.Spec.Strategy.SourceStrategy != nil:
return build.Spec.Strategy.SourceStrategy.Env
case build.Spec.Strategy.DockerStrategy != nil:
return build.Spec.Strategy.DockerStrategy.Env
case build.Spec.Strategy.CustomStrategy != nil:
return build.Spec.Strategy.CustomStrategy.Env
case build.Spec.Strategy.JenkinsPipelineStrategy != nil:
return build.Spec.Strategy.JenkinsPipelineStrategy.Env
default:
return nil
}
}
// SetBuildConfigEnv replaces the current buildconfig environment
func SetBuildConfigEnv(buildConfig *buildapi.BuildConfig, env []kapi.EnvVar) {
var oldEnv *[]kapi.EnvVar
switch {
case buildConfig.Spec.Strategy.SourceStrategy != nil:
oldEnv = &buildConfig.Spec.Strategy.SourceStrategy.Env
case buildConfig.Spec.Strategy.DockerStrategy != nil:
oldEnv = &buildConfig.Spec.Strategy.DockerStrategy.Env
case buildConfig.Spec.Strategy.CustomStrategy != nil:
oldEnv = &buildConfig.Spec.Strategy.CustomStrategy.Env
case buildConfig.Spec.Strategy.JenkinsPipelineStrategy != nil:
oldEnv = &buildConfig.Spec.Strategy.JenkinsPipelineStrategy.Env
default:
return
}
*oldEnv = env
}
// SetBuildEnv replaces the current build environment
func SetBuildEnv(build *buildapi.Build, env []kapi.EnvVar) {
var oldEnv *[]kapi.EnvVar
switch {
case build.Spec.Strategy.SourceStrategy != nil:
oldEnv = &build.Spec.Strategy.SourceStrategy.Env
case build.Spec.Strategy.DockerStrategy != nil:
oldEnv = &build.Spec.Strategy.DockerStrategy.Env
case build.Spec.Strategy.CustomStrategy != nil:
oldEnv = &build.Spec.Strategy.CustomStrategy.Env
case build.Spec.Strategy.JenkinsPipelineStrategy != nil:
oldEnv = &build.Spec.Strategy.JenkinsPipelineStrategy.Env
default:
return
}
*oldEnv = env
}
// UpdateBuildEnv updates the strategy environment
// This will replace the existing variable definitions with provided env
func UpdateBuildEnv(build *buildapi.Build, env []kapi.EnvVar) {
buildEnv := GetBuildEnv(build)
newEnv := []kapi.EnvVar{}
for _, e := range buildEnv {
exists := false
for _, n := range env {
if e.Name == n.Name {
exists = true
break
}
}
if !exists {
newEnv = append(newEnv, e)
}
}
newEnv = append(newEnv, env...)
SetBuildEnv(build, newEnv)
}
// FindDockerSecretAsReference looks through a set of k8s Secrets to find one that represents Docker credentials
// and which contains credentials that are associated with the registry identified by the image. It returns
// a LocalObjectReference to the Secret, or nil if no match was found.
func FindDockerSecretAsReference(secrets []kapi.Secret, image string) *kapi.LocalObjectReference {
emptyKeyring := credentialprovider.BasicDockerKeyring{}
for _, secret := range secrets {
secretsv1 := make([]corev1.Secret, 1)
err := kapiv1.Convert_core_Secret_To_v1_Secret(&secret, &secretsv1[0], nil)
if err != nil {
glog.V(2).Infof("Unable to make the Docker keyring for %s/%s secret: %v", secret.Name, secret.Namespace, err)
continue
}
keyring, err := credentialprovidersecrets.MakeDockerKeyring(secretsv1, &emptyKeyring)
if err != nil {
glog.V(2).Infof("Unable to make the Docker keyring for %s/%s secret: %v", secret.Name, secret.Namespace, err)
continue
}
if _, found := keyring.Lookup(image); found {
return &kapi.LocalObjectReference{Name: secret.Name}
}
}
return nil
}
// ParseProxyURL parses a proxy URL and allows fallback to non-URLs like
// myproxy:80 (for example) which url.Parse no longer accepts in Go 1.8. The
// logic is copied from net/http.ProxyFromEnvironment to try to maintain
// backwards compatibility.
func ParseProxyURL(proxy string) (*url.URL, error) {
proxyURL, err := url.Parse(proxy)
// logic copied from net/http.ProxyFromEnvironment
if err != nil || !strings.HasPrefix(proxyURL.Scheme, "http") {
// proxy was bogus. Try prepending "http://" to it and see if that
// parses correctly. If not, we fall through and complain about the
// original one.
if proxyURL, err := url.Parse("http://" + proxy); err == nil {
return proxyURL, nil
}
}
return proxyURL, err
}