-
Notifications
You must be signed in to change notification settings - Fork 147
/
Copy pathjob.ts
1534 lines (1302 loc) · 66.9 KB
/
job.ts
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
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
import chalk from "chalk";
import * as dotenv from "dotenv";
import fs from "fs-extra";
import prettyHrtime from "pretty-hrtime";
import split2 from "split2";
import {Utils} from "./utils.js";
import {WriteStreams} from "./write-streams.js";
import {GitData} from "./git-data.js";
import assert, {AssertionError} from "assert";
import {Mutex} from "./mutex.js";
import {Argv} from "./argv.js";
import execa from "execa";
import {CICDVariable} from "./variables-from-files.js";
import {GitlabRunnerCPUsPresetValue, GitlabRunnerMemoryPresetValue, GitlabRunnerPresetValues} from "./gitlab-preset.js";
import {handler} from "./handler.js";
import * as yaml from "js-yaml";
import {Parser} from "./parser.js";
import globby from "globby";
import {validateIncludeLocal} from "./parser-includes.js";
import terminalLink from "terminal-link";
const GCL_SHELL_PROMPT_PLACEHOLDER = "<gclShellPromptPlaceholder>";
interface JobOptions {
argv: Argv;
writeStreams: WriteStreams;
data: any;
name: string;
baseName: string;
pipelineIid: number;
gitData: GitData;
globalVariables: {[name: string]: string};
variablesFromFiles: {[name: string]: CICDVariable};
predefinedVariables: {[name: string]: any};
matrixVariables: {[key: string]: string} | null;
nodeIndex: number | null;
nodesTotal: number;
expandVariables: boolean;
}
interface Cache {
policy: "pull" | "pull-push" | "push";
key: string | {files: string[]};
paths: string[];
when: "on_success" | "on_failure" | "always";
}
interface Service {
name: string;
entrypoint: string[] | null;
command: string[] | null;
alias: string | null;
variables: {[name: string]: string};
}
export interface Need {
job: string;
artifacts: boolean;
optional?: boolean;
ref?: string;
pipeline?: string;
project?: string;
}
const dateFormatter = new Intl.DateTimeFormat(undefined, {
year: undefined,
month: undefined,
hour: "numeric",
minute: "numeric",
second: "numeric",
hour12: false,
});
export type JobRule = {
if?: string;
when?: string;
changes?: string[] | {paths: string[]};
exists?: string[];
allow_failure?: boolean;
variables?: {[name: string]: string};
};
export class Job {
private generateJobId (): number {
return Math.floor(Math.random() * 1000000);
}
static readonly illegalJobNames = new Set([
"include", "local_configuration", "image", "services",
"stages", "before_script", "default",
"after_script", "variables", "cache", "workflow", "page:deploy",
]);
readonly argv: Argv;
readonly name: string;
readonly baseName: string;
readonly dependencies: string[] | null;
readonly environment?: {name: string; url: string | null; deployment_tier: string | null; action: string | null};
readonly jobId: number;
readonly rules?: JobRule[];
readonly allowFailure: boolean | {
exit_codes: number | number[];
};
readonly when: string;
readonly exists: string[];
readonly pipelineIid: number;
readonly gitData: GitData;
readonly inherit: {
variables?: boolean | string[];
};
private _dotenvVariables: {[key: string]: string} = {};
private _prescriptsExitCode: number | null = null;
private _afterScriptsExitCode = 0;
private _coveragePercent: string | null = null;
private _running = false;
private _containerId: string | null = null;
private _serviceNetworkId: string | null = null;
private _longRunningSilentTimeout: NodeJS.Timeout = -1 as any;
private _producers: {name: string; dotenv: string | null}[] | null = null;
private _jobNamePad: number | null = null;
private _ciProjectDir: string | null = null;
private _startTime?: [number, number];
private _endTime?: [number, number];
private readonly _filesToRm: string[] = [];
private readonly _globalVariables: {[key: string]: string} = {};
private readonly _variables: {[key: string]: string} = {};
private readonly _containersToClean: string[] = [];
private readonly _containerVolumeNames: string[] = [];
private readonly jobData: any;
private readonly writeStreams: WriteStreams;
constructor (opt: JobOptions) {
const jobData = opt.data;
const jobVariables = jobData.variables ?? {};
const variablesFromFiles = opt.variablesFromFiles;
const argv = opt.argv;
const cwd = argv.cwd;
const argvVariables = argv.variable;
const expandVariables = opt.expandVariables ?? true;
this.argv = argv;
this.writeStreams = opt.writeStreams;
this.gitData = opt.gitData;
this.name = opt.name;
this.baseName = opt.baseName;
this.jobId = this.generateJobId();
this.jobData = opt.data;
this.pipelineIid = opt.pipelineIid;
this._globalVariables = opt.globalVariables;
this.inherit = {};
this.inherit.variables = this.jobData.inherit?.variables ?? true;
this.when = jobData.when || "on_success";
this.exists = jobData.exists || [];
this.allowFailure = jobData.allow_failure ?? false;
this.dependencies = jobData.dependencies || null;
this.rules = jobData.rules || null;
this.environment = typeof jobData.environment === "string" ? {name: jobData.environment} : jobData.environment;
const matrixVariables = opt.matrixVariables ?? {};
const fileVariables = Utils.findEnvMatchedVariables(variablesFromFiles, this.fileVariablesDir);
const predefinedVariables = this._predefinedVariables(opt);
this._variables = {...predefinedVariables, ...this.globalVariables, ...jobVariables, ...matrixVariables, ...fileVariables, ...argvVariables};
if (this.rules && expandVariables) {
const expanded = Utils.expandVariables(this._variables);
// Expand variables in rules:changes
this.rules.forEach((rule, ruleIdx, rules) => {
const changes = Array.isArray(rule.changes) ? rule.changes : rule.changes?.paths;
if (!changes) {
return;
}
changes.forEach((change, changeIdx, changes) => {
changes[changeIdx] = Utils.expandText(change, expanded);
});
rules[ruleIdx].changes = changes;
});
// Expand variables in rules:exists
this.rules.forEach((rule, ruleIdx, rules) => {
const exists = Array.isArray(rule.exists) ? rule.exists : null;
if (!exists) {
return;
}
exists.forEach((exist, existId, exists) => {
exists[existId] = Utils.expandText(exist, expanded);
});
rules[ruleIdx].exists = exists;
});
}
let ruleVariables: {[name: string]: string} | undefined;
// Set {when, allowFailure} based on rules result
if (this.rules) {
const ruleResult = Utils.getRulesResult({argv, cwd, rules: this.rules, variables: this._variables}, this.gitData, this.when, this.allowFailure);
this.when = ruleResult.when;
this.allowFailure = ruleResult.allowFailure;
ruleVariables = ruleResult.variables;
this._variables = {...this._variables, ...ruleVariables, ...argvVariables};
}
// Find environment matched variables
if (this.environment && expandVariables) {
const expanded = Utils.expandVariables(this._variables);
this.environment.name = Utils.expandText(this.environment.name, expanded);
this.environment.url = Utils.expandText(this.environment.url, expanded);
}
const envMatchedVariables = Utils.findEnvMatchedVariables(variablesFromFiles, this.fileVariablesDir, this.environment);
const userDefinedVariables = {...this.globalVariables, ...jobVariables, ...matrixVariables, ...ruleVariables, ...envMatchedVariables, ...argvVariables};
this.discourageOverridingOfPredefinedVariables(predefinedVariables, userDefinedVariables);
// Merge and expand after finding env matched variables
this._variables = {...predefinedVariables, ...userDefinedVariables};
// Delete variables the user intentionally wants unset
for (const unsetVariable of argv.unsetVariables) {
delete this._variables[unsetVariable];
}
// Set GCL_PROJECT_DIR_ON_HOST if docker image
if (this.imageName(this._variables)) {
this._variables = {...this._variables, ...{GCL_PROJECT_DIR_ON_HOST: cwd}};
}
assert(this.scripts || this.trigger, chalk`{blueBright ${this.name}} must have script specified`);
assert(!(this.interactive && !this.argv.shellExecutorNoImage), chalk`${this.formattedJobName} @Interactive decorator cannot be used with --no-shell-executor-no-image`);
if (this.interactive && (this.when !== "manual" || this.imageName(this._variables) !== null)) {
throw new AssertionError({message: `${this.formattedJobName} @Interactive decorator cannot have image: and must be when:manual`});
}
if (this.injectSSHAgent && this.imageName(this._variables) === null) {
throw new AssertionError({message: `${this.formattedJobName} @InjectSSHAgent can only be used with image:`});
}
const expanded = Utils.expandVariables(this._variables);
for (const [i, c] of Object.entries<any>(this.cache)) {
c.policy = Utils.expandText(c.policy, expanded);
assert(["pull", "push", "pull-push"].includes(c.policy), chalk`{blue ${this.name}} cache[${i}].policy is not 'pull', 'push' or 'pull-push'`);
assert(["on_success", "on_failure", "always"].includes(c.when), chalk`{blue ${this.name}} cache[${i}].when is not 'on_success', 'on_failure' or 'always'`);
assert(Array.isArray(c.paths), chalk`{blue ${this.name}} cache[${i}].paths must be array`);
}
for (const [i, s] of Object.entries<any>(this.services)) {
assert(s.name, chalk`{blue ${this.name}} services[${i}].name is undefined`);
assert(!s.command || Array.isArray(s.command), chalk`{blue ${this.name}} services[${i}].command must be an array`);
assert(!s.entrypoint || Array.isArray(s.entrypoint), chalk`{blue ${this.name}} services[${i}].entrypoint must be an array`);
}
assert(!this.artifacts?.paths || Array.isArray(this.artifacts.paths), chalk`{blue ${this.name}} artifacts.paths must be an array`);
if (this.imageName(this._variables) && argv.mountCache) {
for (const c of this.cache) {
c.paths.forEach((p) => {
const path = Utils.expandText(p, expanded);
assert(!path.includes("*"), chalk`{blue ${this.name}} cannot have * in cache paths, when --mount-cache is enabled`);
});
}
}
}
/**
* Warn when overriding of predefined variables is detected
*/
private discourageOverridingOfPredefinedVariables (predefinedVariables: {[name: string]: string}, userDefinedVariables: {[name: string]: string}) {
const predefinedVariablesKeys = Object.keys(predefinedVariables);
const userDefinedVariablesKeys = Object.keys(userDefinedVariables);
const overridingOfPredefinedVariables = userDefinedVariablesKeys.filter(ele => predefinedVariablesKeys.includes(ele));
if (overridingOfPredefinedVariables.length == 0) {
return;
}
const linkToGitlab = "https://gitlab.com/gitlab-org/gitlab/-/blob/v17.7.1-ee/doc/ci/variables/predefined_variables.md?plain=1&ref_type=tags#L15-16";
this.writeStreams.memoStdout(chalk`{bgYellowBright WARN } ${terminalLink("Avoid overriding predefined variables", linkToGitlab)} [{bold ${overridingOfPredefinedVariables}}] as it can cause the pipeline to behave unexpectedly.\n`);
}
/**
* Get the predefinedVariables that's enriched with the additional info that's only available when constructing
*/
private _predefinedVariables (opt: JobOptions) {
const argv = this.argv;
const cwd = argv.cwd;
const stateDir = this.argv.stateDir;
const gitData = this.gitData;
let ciBuildsDir: string;
if (this.jobData["image"]) {
ciBuildsDir = "/builds";
this.ciProjectDir = `${ciBuildsDir}/${gitData.remote.group}/${gitData.remote.project}`;
} else if (argv.shellIsolation) {
ciBuildsDir = `${cwd}/${stateDir}/builds/${this.safeJobName}`;
this.ciProjectDir = ciBuildsDir;
} else {
ciBuildsDir = cwd;
this.ciProjectDir = ciBuildsDir;
}
const predefinedVariables = opt.predefinedVariables;
predefinedVariables["CI_JOB_ID"] = `${this.jobId}`;
predefinedVariables["CI_PIPELINE_ID"] = `${this.pipelineIid + 1000}`;
predefinedVariables["CI_PIPELINE_IID"] = `${this.pipelineIid}`;
predefinedVariables["CI_JOB_NAME"] = `${this.name}`;
predefinedVariables["CI_JOB_NAME_SLUG"] = `${this.name.replace(/[^a-z\d]+/ig, "-").replace(/^-/, "").slice(0, 63).replace(/-$/, "").toLowerCase()}`;
predefinedVariables["CI_JOB_STAGE"] = `${this.stage}`;
predefinedVariables["CI_BUILDS_DIR"] = ciBuildsDir;
predefinedVariables["CI_PROJECT_DIR"] = this.ciProjectDir;
predefinedVariables["CI_JOB_URL"] = `${predefinedVariables["CI_SERVER_URL"]}/${gitData.remote.group}/${gitData.remote.project}/-/jobs/${this.jobId}`; // Changes on rerun.
predefinedVariables["CI_PIPELINE_URL"] = `${predefinedVariables["CI_SERVER_URL"]}/${gitData.remote.group}/${gitData.remote.project}/pipelines/${this.pipelineIid}`;
predefinedVariables["CI_ENVIRONMENT_NAME"] = this.environment?.name ?? "";
predefinedVariables["CI_ENVIRONMENT_SLUG"] = this.environment?.name?.replace(/[^a-z\d]+/ig, "-").replace(/^-/, "").slice(0, 23).replace(/-$/, "").toLowerCase() ?? "";
predefinedVariables["CI_ENVIRONMENT_URL"] = this.environment?.url ?? "";
predefinedVariables["CI_ENVIRONMENT_TIER"] = this.environment?.deployment_tier ?? "";
predefinedVariables["CI_ENVIRONMENT_ACTION"] = this.environment?.action ?? "";
if (opt.nodeIndex !== null) {
predefinedVariables["CI_NODE_INDEX"] = `${opt.nodeIndex}`;
}
predefinedVariables["CI_NODE_TOTAL"] = `${opt.nodesTotal}`;
predefinedVariables["CI_REGISTRY"] = `local-registry.${this.gitData.remote.host}`;
predefinedVariables["CI_REGISTRY_IMAGE"] = `$CI_REGISTRY/${predefinedVariables["CI_PROJECT_PATH"].toLowerCase()}`;
return predefinedVariables;
}
get jobStatus () {
if (this.preScriptsExitCode == null) return "pending";
if (this.preScriptsExitCode == 0) return "success";
let allowedExitCodes = [0];
const allowFailure = this.allowFailure;
switch (typeof allowFailure) {
case "boolean":
if (allowFailure) {
allowedExitCodes = [this.preScriptsExitCode];
}
break;
case "object":
if (! Array.isArray(allowFailure.exit_codes)) {
allowedExitCodes = [allowFailure.exit_codes];
} else {
allowedExitCodes = allowFailure.exit_codes;
}
break;
default:
throw new Error(`Unexpected type: ${typeof allowFailure}`);
}
return allowedExitCodes.includes(this.preScriptsExitCode) ? "warning" : "failed";
}
get artifactsToSource () {
if (this.jobData["gclArtifactsToSource"] != null) return this.jobData["gclArtifactsToSource"];
return this.argv.artifactsToSource;
}
get prettyDuration () {
if (this._endTime) {
return prettyHrtime(this._endTime);
}
return this._startTime ?
prettyHrtime(process.hrtime(this._startTime)) :
"0 ms";
}
get formattedJobName () {
let prefix = "";
if (this.argv.childPipelineDepth > 0) prefix = "\t".repeat(this.argv.childPipelineDepth) + `[${this.argv.variable.GCL_TRIGGERER}] -> `;
const timestampPrefix = this.argv.showTimestamps ?
`[${dateFormatter.format(new Date())} ${this.prettyDuration.padStart(7)}] ` :
"";
// [16:33:19 1.37 min] my-job > hello world
return chalk`${timestampPrefix}{blueBright ${prefix}${this.name.padEnd(this.jobNamePad)}}`;
}
get safeJobName () {
return Utils.safeDockerString(this.name);
}
get needs (): Need[] | null {
return this.jobData["needs"] ?? null;
}
get buildVolumeName (): string {
return `gcl-${this.safeJobName}-${this.jobId}-build`;
}
get tmpVolumeName (): string {
return `gcl-${this.safeJobName}-${this.jobId}-tmp`;
}
get services (): Service[] {
const services: Service[] = [];
if (!this.jobData["services"]) return [];
for (const service of Object.values<any>(this.jobData["services"])) {
const expanded = Utils.expandVariables({...this._variables, ...this._dotenvVariables, ...service["variables"]});
let serviceName = Utils.expandText(service["name"], expanded);
if (serviceName == "") continue;
serviceName = serviceName.includes(":") ? serviceName : `${serviceName}:latest`;
services.push({
name: serviceName,
entrypoint: service["entrypoint"] ?? null,
command: service["command"] ?? null,
variables: expanded,
alias: Utils.expandText(service["alias"], expanded) ?? null,
});
}
return services;
}
set ciProjectDir (ciProjectDir: string) {
assert(this._ciProjectDir == null, "this._ciProjectDir can only be set once");
this._ciProjectDir = ciProjectDir;
}
get ciProjectDir () {
assert(this._ciProjectDir, "attempted to access this._ciProjectDir before it is initialized");
return this._ciProjectDir;
}
set jobNamePad (jobNamePad: number) {
assert(this._jobNamePad == null, "this._jobNamePad can only be set once");
this._jobNamePad = jobNamePad;
}
get jobNamePad (): number {
return this._jobNamePad ?? 0;
}
get producers (): {name: string; dotenv: string | null}[] | null {
return this._producers;
}
set producers (producers: {name: string; dotenv: string | null}[] | null) {
assert(this._producers == null, "this._producers can only be set once");
this._producers = producers;
}
get stage (): string {
return this.jobData["stage"] || "test";
}
get interactive (): boolean {
return this.jobData["gclInteractive"] || false;
}
get injectSSHAgent (): boolean {
return this.jobData["gclInjectSSHAgent"] || false;
}
get description (): string {
return this.jobData["gclDescription"] ?? "";
}
get artifacts (): {paths: string[]; exclude?: string[]; reports?: {dotenv?: string}; when?: string} | null {
return this.jobData["artifacts"];
}
deleteArtifacts () {
delete this.jobData["artifacts"];
}
get cache (): Cache[] {
return this.jobData["cache"] || [];
}
public async getUniqueCacheName (cwd: string, expanded: {[key: string]: string}, key: any) {
if (typeof key === "string" || key == null) {
return Utils.expandText(key ?? "default", expanded);
}
const files = key["files"].map((f: string) => {
let path = Utils.expandText(f, expanded);
if (path.startsWith(`${this.ciProjectDir}/`)) {
path = path.slice(`${this.ciProjectDir}/`.length);
}
return `${cwd}/${path}`;
});
return "md-" + await Utils.checksumFiles(cwd, files);
}
get beforeScripts (): string[] {
const beforeScripts = this.jobData["before_script"] || [];
return typeof beforeScripts === "string" ? [beforeScripts] : beforeScripts;
}
get afterScripts (): string[] {
const afterScripts = this.jobData["after_script"] || [];
return typeof afterScripts === "string" ? [afterScripts] : afterScripts;
}
get scripts (): string[] {
const script = this.jobData["script"];
return typeof script === "string" ? [script] : script;
}
get trigger (): any {
return this.jobData["trigger"];
}
async startTriggerPipeline () {
this.writeStreams.memoStdout(chalk`{bgYellowBright WARN } downstream pipeline is experimental in gitlab-ci-local\n`);
await this.fetchTriggerInclude();
const variablesForDownstreamPipeline = Object.entries({...this.globalVariables, ...this.jobData.variables}).map(([key, value]) => `${key}=${value}`);
const gclTriggerer = this.argv.variable["GCL_TRIGGERER"] ?
`${this.argv.variable["GCL_TRIGGERER"]} -> ${this.name}` :
this.name;
await handler({
...Object.fromEntries(this.argv.map),
file: `${this.argv.stateDir}/includes/triggers/${this.name}.yml`,
variable: [
chalk`GCL_TRIGGERER=${gclTriggerer}`,
"CI_PIPELINE_SOURCE=parent_pipeline",
].concat(variablesForDownstreamPipeline),
}, this.writeStreams, [], this.argv.childPipelineDepth + 1);
}
get preScriptsExitCode () {
return this._prescriptsExitCode;
}
get afterScriptsExitCode () {
return this._afterScriptsExitCode;
}
get started () {
return this._running || this._prescriptsExitCode !== null;
}
get finished () {
return !this._running && this._prescriptsExitCode !== null;
}
get coveragePercent (): string | null {
return this._coveragePercent;
}
get fileVariablesDir () {
return `/tmp/gitlab-ci-local-file-variables-${this._variables["CI_PROJECT_PATH_SLUG"]}-${this.jobId}`;
}
get globalVariables () {
if (this.inherit.variables === false) {
return {};
} else if (Array.isArray(this.inherit.variables)) {
const inheritVariables = this.inherit.variables;
return Object.fromEntries(
Object.entries(this._globalVariables).filter(([k]) => inheritVariables.includes(k)),
);
}
return this._globalVariables;
}
async start (): Promise<void> {
if (this.trigger) {
await this.startTriggerPipeline();
this._prescriptsExitCode = 0; // NOTE: so that `this.finished` will implicitly be set to true
return;
}
this._running = true;
const argv = this.argv;
this._startTime = process.hrtime();
this._variables["CI_JOB_STARTED_AT"] = new Date().toISOString().split(".")[0] + "Z";
const writeStreams = this.writeStreams;
this._dotenvVariables = await this.initProducerReportsDotenvVariables(writeStreams, Utils.expandVariables(this._variables));
const expanded = Utils.unscape$$Variables(Utils.expandVariables({...this._variables, ...this._dotenvVariables}));
const imageName = this.imageName(expanded);
const safeJobName = this.safeJobName;
const outputLogFilePath = `${argv.cwd}/${argv.stateDir}/output/${safeJobName}.log`;
await fs.ensureFile(outputLogFilePath);
await fs.truncate(outputLogFilePath);
if (!this.interactive) {
writeStreams.stdout(chalk`${this.formattedJobName} {magentaBright starting} ${imageName ?? "shell"} ({yellow ${this.stage}})\n`);
}
if (imageName) {
await this.pullImage(writeStreams, imageName);
const buildVolumeName = this.buildVolumeName;
const tmpVolumeName = this.tmpVolumeName;
const fileVariablesDir = this.fileVariablesDir;
const volumePromises = [];
volumePromises.push(Utils.spawn([this.argv.containerExecutable, "volume", "create", `${buildVolumeName}`], argv.cwd));
volumePromises.push(Utils.spawn([this.argv.containerExecutable, "volume", "create", `${tmpVolumeName}`], argv.cwd));
this._containerVolumeNames.push(buildVolumeName);
this._containerVolumeNames.push(tmpVolumeName);
await Promise.all(volumePromises);
const time = process.hrtime();
this.refreshLongRunningSilentTimeout(writeStreams);
let chownOpt = "0:0";
let chmodOpt = "a+rw";
if (!this.argv.umask) {
const {stdout} = await Utils.spawn([this.argv.containerExecutable, "run", "--rm", "--entrypoint", "sh", imageName, "-c", "echo \"$(id -u):$(id -g)\""]);
chownOpt = stdout;
if (chownOpt == "0:0") {
chmodOpt = "g-w";
}
}
const {stdout: containerId} = await Utils.spawn([
this.argv.containerExecutable, "create", "--user=0:0", `--volume=${buildVolumeName}:${this.ciProjectDir}`, `--volume=${tmpVolumeName}:${this.fileVariablesDir}`, "docker.io/firecow/gitlab-ci-local-util",
...["sh", "-c", `chown ${chownOpt} -R ${this.ciProjectDir} && chmod ${chmodOpt} -R ${this.ciProjectDir} && chown ${chownOpt} -R /tmp/ && chmod ${chmodOpt} -R /tmp/`],
], argv.cwd);
this._containersToClean.push(containerId);
if (await fs.pathExists(fileVariablesDir)) {
await Utils.spawn([this.argv.containerExecutable, "cp", `${fileVariablesDir}/.`, `${containerId}:${fileVariablesDir}`], argv.cwd);
this.refreshLongRunningSilentTimeout(writeStreams);
}
await Utils.spawn([this.argv.containerExecutable, "cp", `${argv.stateDir}/builds/.docker/.`, `${containerId}:${this.ciProjectDir}`], argv.cwd);
await Utils.spawn([this.argv.containerExecutable, "start", "--attach", containerId], argv.cwd);
await Utils.spawn([this.argv.containerExecutable, "rm", "-vf", containerId], argv.cwd);
const endTime = process.hrtime(time);
writeStreams.stdout(chalk`${this.formattedJobName} {magentaBright copied to ${this.argv.containerExecutable} volumes} in {magenta ${prettyHrtime(endTime)}}\n`);
}
if (this.services?.length) {
// `host` and `none` networks do not work with services because aliases only work for
// user defined networks.
for (const network of this.argv.network) {
if (["host", "none"].includes(network)) {
throw new AssertionError({message: `Cannot add service network alias with network mode '${network}'`});
}
}
await this.createDockerNetwork(`gitlab-ci-local-${this.jobId}`);
await Promise.all(
this.services.map(async (service, serviceIndex) => {
const serviceName = service.name;
await this.pullImage(writeStreams, serviceName);
const serviceContainerId = await this.startService(writeStreams, Utils.expandVariables({...expanded, ...service.variables}), service);
const serviceContainerLogFile = `${argv.cwd}/${argv.stateDir}/services-output/${this.safeJobName}/${serviceName}-${serviceIndex}.log`;
await this.serviceHealthCheck(writeStreams, service, serviceIndex, serviceContainerLogFile);
const {stdout, stderr} = await Utils.spawn([this.argv.containerExecutable, "logs", serviceContainerId]);
await fs.ensureFile(serviceContainerLogFile);
await fs.promises.writeFile(serviceContainerLogFile, `### stdout ###\n${stdout}\n### stderr ###\n${stderr}\n`);
}),
);
}
await this.execPreScripts(expanded);
if (this._prescriptsExitCode == null) throw Error("this._prescriptsExitCode must be defined!");
await this.execAfterScripts(expanded);
this._running = false;
this._endTime = this._endTime ?? process.hrtime(this._startTime);
this.printFinishedString();
await this.copyCacheOut(this.writeStreams, expanded);
await this.copyArtifactsOut(this.writeStreams, expanded);
if (this.jobData["coverage"]) {
this._coveragePercent = await Utils.getCoveragePercent(argv.cwd, argv.stateDir, this.jobData["coverage"], safeJobName);
}
}
async cleanupResources () {
clearTimeout(this._longRunningSilentTimeout);
if (!this.argv.cleanup) return;
if (this._containersToClean.length > 0) {
try {
await Utils.spawn([this.argv.containerExecutable, "rm", "-vf", ...this._containersToClean]);
} catch (e) {
assert(e instanceof Error, "e is not instanceof Error");
}
}
if (this._serviceNetworkId) {
try {
await Utils.spawn([this.argv.containerExecutable, "network", "rm", `${this._serviceNetworkId}`]);
} catch (e) {
assert(e instanceof Error, "e is not instanceof Error");
}
}
if (this._containerVolumeNames.length > 0) {
try {
await Utils.spawn([this.argv.containerExecutable, "volume", "rm", ...this._containerVolumeNames]);
} catch (e) {
assert(e instanceof Error, "e is not instanceof Error");
}
}
const rmPromises = [];
for (const file of this._filesToRm) {
rmPromises.push(fs.rm(file, {recursive: true, force: true}));
}
await Promise.all(rmPromises);
const fileVariablesDir = this.fileVariablesDir;
try {
await fs.rm(fileVariablesDir, {recursive: true, force: true});
} catch (e) {
assert(e instanceof Error, "e is not instanceof Error");
}
}
private generateInjectSSHAgentOptions () {
if (!this.injectSSHAgent) {
return "";
}
if (process.platform === "darwin" || /^darwin/.exec(process.env.OSTYPE ?? "")) {
return "--env SSH_AUTH_SOCK=/run/host-services/ssh-auth.sock -v /run/host-services/ssh-auth.sock:/run/host-services/ssh-auth.sock";
}
return `--env SSH_AUTH_SOCK=${process.env.SSH_AUTH_SOCK} -v ${process.env.SSH_AUTH_SOCK}:${process.env.SSH_AUTH_SOCK}`;
}
private generateScriptCommands (scripts: string[]) {
let cmd = "";
scripts.forEach((script) => {
const split = script.split(/\r?\n/);
const multilineText = split.length > 1 ? " # collapsed multi-line command" : "";
const text = split[0]?.replace(/\\/g, "\\\\").replace(/"/g, "\\\"").replace(/[$]/g, "\\$");
if (this.interactive) {
cmd += chalk`echo "{green $ ${text}${multilineText}}"\n`;
} else {
// Print command echo'ed with $GCL_SHELL_PROMPT_PLACEHOLDER
cmd += `echo "${GCL_SHELL_PROMPT_PLACEHOLDER} ${text}${multilineText}"\n`;
}
// Execute actual script
cmd += `${script}\n`;
});
return cmd;
}
private async mountCacheCmd (writeStreams: WriteStreams, expanded: {[key: string]: string}) {
if (this.imageName(expanded) && !this.argv.mountCache) return [];
const cmd: string[] = [];
for (const c of this.cache) {
const uniqueCacheName = await this.getUniqueCacheName(this.argv.cwd, expanded, c.key);
c.paths.forEach((p) => {
const path = Utils.expandText(p, expanded);
writeStreams.stdout(chalk`${this.formattedJobName} {magentaBright mounting cache} for path ${path}\n`);
const cacheMount = Utils.safeDockerString(`gcl-${expanded.CI_PROJECT_PATH_SLUG}-${uniqueCacheName}`);
cmd.push("-v", `${cacheMount}:${this.ciProjectDir}/${path}`);
});
}
return cmd;
}
private async execPreScripts (expanded: {[key: string]: string}): Promise<void> {
const prescripts = this.beforeScripts.concat(this.scripts);
expanded["CI_JOB_STATUS"] = "running";
this._prescriptsExitCode = await this.execScripts(prescripts, expanded, "");
expanded["CI_JOB_STATUS"] = this._prescriptsExitCode === 0 ? "success" : "failed";
this.printExitedString(this._prescriptsExitCode);
}
private async execAfterScripts (expanded: {[key: string]: string}): Promise<void> {
const message = "Running after script...";
this._afterScriptsExitCode = await this.execScripts(this.afterScripts, expanded, message);
this.printAfterScriptExitedString(this._afterScriptsExitCode);
}
private async execScripts (scripts: string[], expanded: {[key: string]: string}, message: string): Promise<number> {
const cwd = this.argv.cwd;
const stateDir = this.argv.stateDir;
const safeJobName = this.safeJobName;
const outputFilesPath = `${cwd}/${stateDir}/output/${safeJobName}.log`;
const buildVolumeName = this.buildVolumeName;
const tmpVolumeName = this.tmpVolumeName;
const imageName = this.imageName(expanded);
const writeStreams = this.writeStreams;
if (scripts.length === 0 || scripts[0] == null) return 0;
if (message.length > 0) writeStreams.stdout(chalk`${this.formattedJobName} {magentaBright ${message}}\n`);
// Copy git tracked files to build folder if shell isolation enabled.
if (!imageName && this.argv.shellIsolation) {
await Utils.rsyncTrackedFiles(cwd, stateDir, `${safeJobName}`);
}
if (this.interactive) {
let iCmd = "set -eo pipefail\n";
iCmd += this.generateScriptCommands(scripts);
const interactiveCp = execa(iCmd, {
cwd,
shell: "bash",
stdio: ["inherit", "inherit", "inherit"],
env: {...expanded, ...process.env},
});
return new Promise<number>((resolve, reject) => {
void interactiveCp.on("exit", (code) => resolve(code ?? 0));
void interactiveCp.on("error", (err) => reject(err));
});
}
this.refreshLongRunningSilentTimeout(writeStreams);
if (imageName && !this._containerId) {
let dockerCmd = `${this.argv.containerExecutable} create --interactive ${this.generateInjectSSHAgentOptions()} `;
if (this.argv.privileged) {
dockerCmd += "--privileged ";
}
if (this.argv.ulimit !== null) {
dockerCmd += `--ulimit nofile=${this.argv.ulimit} `;
}
if (this.argv.umask) {
dockerCmd += "--user 0:0 ";
}
if (this.argv.containerMacAddress) {
dockerCmd += `--mac-address "${this.argv.containerMacAddress}" `;
}
const imageUser = this.imageUser(expanded);
if (imageUser) {
dockerCmd += `--user ${imageUser} `;
}
if (this.argv.containerEmulate) {
const runnerName: string = this.argv.containerEmulate;
if (!GitlabRunnerPresetValues.includes(runnerName)) {
throw new Error("Invalid gitlab runner to emulate.");
}
const memoryConfig = GitlabRunnerMemoryPresetValue[runnerName];
const cpuConfig = GitlabRunnerCPUsPresetValue[runnerName];
dockerCmd += `--memory=${memoryConfig}m `;
dockerCmd += `--kernel-memory=${memoryConfig}m `;
dockerCmd += `--cpus=${cpuConfig} `;
}
// host and none networks have to be specified using --network, since they cannot be used with
// `docker network connect`.
for (const network of this.argv.network) {
if (["host", "none"].includes(network)) {
dockerCmd += `--network ${network} `;
}
}
// The default podman network mode is not `bridge`, which means a `podman network connect` call will fail
// when connecting user defined networks. The workaround is to use a user defined network on container
// creation.
//
// See https://github.com/containers/podman/issues/19577
//
// This should not clash with the `host` and `none` networks above, since service creation should have
// failed when using `host` or `none` networks.
if (this._serviceNetworkId) {
// `build` alias: https://gitlab.com/gitlab-org/gitlab-runner/-/issues/27060
dockerCmd += `--network ${this._serviceNetworkId} --network-alias build `;
}
dockerCmd += `--volume ${buildVolumeName}:${this.ciProjectDir} `;
dockerCmd += `--volume ${tmpVolumeName}:${this.fileVariablesDir} `;
dockerCmd += `--workdir ${this.ciProjectDir} `;
for (const volume of this.argv.volume) {
dockerCmd += `--volume ${volume} `;
}
for (const extraHost of this.argv.extraHost) {
dockerCmd += `--add-host=${extraHost} `;
}
for (const [key, val] of Object.entries(expanded)) {
// Replacing `'` with `'\''` to correctly handle single quotes(if `val` contains `'`) in shell commands
dockerCmd += ` -e '${key}=${val.replace(/'/g, "'\\''")}' \\\n`;
}
if (this.imageEntrypoint) {
if (this.imageEntrypoint[0] == "") {
dockerCmd += "--entrypoint '' ";
} else {
dockerCmd += `--entrypoint ${this.imageEntrypoint[0]} `;
}
}
dockerCmd += `${(await this.mountCacheCmd(writeStreams, expanded)).join(" ")} `;
dockerCmd += `${imageName} `;
if (this.imageEntrypoint?.length ?? 0 > 1) {
this.imageEntrypoint?.slice(1).forEach((e) => {
dockerCmd += `"${e}" `;
});
}
dockerCmd += "sh -c \"\n";
dockerCmd += "if [ -x /usr/local/bin/bash ]; then\n";
dockerCmd += "\texec /usr/local/bin/bash \n";
dockerCmd += "elif [ -x /usr/bin/bash ]; then\n";
dockerCmd += "\texec /usr/bin/bash \n";
dockerCmd += "elif [ -x /bin/bash ]; then\n";
dockerCmd += "\texec /bin/bash \n";
dockerCmd += "elif [ -x /usr/local/bin/sh ]; then\n";
dockerCmd += "\texec /usr/local/bin/sh \n";
dockerCmd += "elif [ -x /usr/bin/sh ]; then\n";
dockerCmd += "\texec /usr/bin/sh \n";
dockerCmd += "elif [ -x /bin/sh ]; then\n";
dockerCmd += "\texec /bin/sh \n";
dockerCmd += "elif [ -x /busybox/sh ]; then\n";
dockerCmd += "\texec /busybox/sh \n";
dockerCmd += "else\n";
dockerCmd += "\techo shell not found\n";
dockerCmd += "\texit 1\n";
dockerCmd += "fi\n\"";
const {stdout: containerId} = await Utils.bash(dockerCmd, cwd);
for (const network of this.argv.network) {
// Special network names that do not work with `docker network connect`
if (["host", "none"].includes(network)) {
continue;
}
await Utils.spawn([this.argv.containerExecutable, "network", "connect", network, `${containerId}`]);
}
this._containerId = containerId;
this._containersToClean.push(this._containerId);
}
await this.copyCacheIn(writeStreams, expanded);
await this.copyArtifactsIn(writeStreams);
let cmd = "set -eo pipefail\n";
cmd += "exec 0< /dev/null\n";
if (!imageName && this.argv.shellIsolation) {
cmd += `cd ${stateDir}/builds/${safeJobName}/\n`;
}
if (imageName) {
cmd += `cd ${this.ciProjectDir} \n`;
if (expanded["CI_JOB_STATUS"] != "running") {
// Ensures the env `CI_JOB_STATUS` is passed to the after_script context
cmd += `export CI_JOB_STATUS=${expanded["CI_JOB_STATUS"]}\n`;
}
}
cmd += this.generateScriptCommands(scripts);
cmd += "exit 0\n";
const jobScriptFile = `${cwd}/${stateDir}/scripts/${safeJobName}_${this.jobId}`;
await fs.outputFile(jobScriptFile, cmd, "utf-8");
await fs.chmod(jobScriptFile, "0755");
this._filesToRm.push(jobScriptFile);
if (imageName) {
await Utils.spawn([this.argv.containerExecutable, "cp", `${stateDir}/scripts/${safeJobName}_${this.jobId}`, `${this._containerId}:/gcl-cmd`], cwd);
}
const cp = execa(this._containerId ? `${this.argv.containerExecutable} start --attach -i ${this._containerId}` : "bash", {
cwd,
shell: "bash",
env: imageName ? process.env : expanded,
});
const outFunc = (line: string, stream: (txt: string) => void, colorize: (str: string) => string) => {
this.refreshLongRunningSilentTimeout(writeStreams);
stream(`${this.formattedJobName} `);
if (line.startsWith(GCL_SHELL_PROMPT_PLACEHOLDER)) {
// replace the GCL_SHELL_PROMPT_PLACEHOLDER with `$` and make the SHELL_PROMPT line green color
line = line.slice(GCL_SHELL_PROMPT_PLACEHOLDER.length);
line = chalk`{green $${line}}`;
} else {
stream(`${colorize(">")} `);
}
stream(`${line}\n`);
fs.appendFileSync(outputFilesPath, `${line}\n`);
};
const quiet = this.argv.quiet;
return await new Promise<number>((resolve, reject) => {
if (!quiet) {
cp.stdout?.pipe(split2()).on("data", (e: string) => outFunc(e, writeStreams.stdout.bind(writeStreams), (s) => chalk`{greenBright ${s}}`));
cp.stderr?.pipe(split2()).on("data", (e: string) => outFunc(e, writeStreams.stderr.bind(writeStreams), (s) => chalk`{redBright ${s}}`));
}
void cp.on("exit", (code) => resolve(code ?? 0));
void cp.on("error", (err) => reject(err));
if (imageName) {