-
Notifications
You must be signed in to change notification settings - Fork 8
/
index.js
1224 lines (1097 loc) · 47.4 KB
/
index.js
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
/* eslint no-underscore-dangle: ["error", { "allowAfterThis": true }] */
'use strict';
const Breaker = require('circuit-fuses').breaker;
const Hoek = require('@hapi/hoek');
const Joi = require('joi');
const Path = require('path');
const Schema = require('screwdriver-data-schema');
const Scm = require('screwdriver-scm-base');
const logger = require('screwdriver-logger');
const request = require('screwdriver-request');
const DEFAULT_AUTHOR = {
avatar: 'https://cd.screwdriver.cd/assets/unknown_user.png',
name: 'n/a',
username: 'n/a',
url: 'https://cd.screwdriver.cd/'
};
const MATCH_COMPONENT_HOSTNAME = 1;
const MATCH_COMPONENT_OWNER = 2;
const MATCH_COMPONENT_REPONAME = 3;
const MATCH_COMPONENT_BRANCH = 4;
const MATCH_COMPONENT_ROOTDIR = 5;
const STATE_MAP = {
SUCCESS: 'success',
PENDING: 'pending',
FAILURE: 'failed'
};
const DESCRIPTION_MAP = {
SUCCESS: 'Everything looks good!',
FAILURE: 'Did not work as expected.',
PENDING: 'Parked it as Pending...'
};
/**
* Get repo information
* @method getRepoInfoByCheckoutUrl
* @param {String} checkoutUrl The url to check out repo
* @param {String} [rootDir] Root dir
* @return {Object} An object with the hostname, repo, branch, owner, and rootDir
*/
function getRepoInfoByCheckoutUrl(checkoutUrl, rootDir) {
const regex = Schema.config.regex.CHECKOUT_URL;
const matched = regex.exec(checkoutUrl);
const sourceDir = matched[MATCH_COMPONENT_ROOTDIR] ? matched[MATCH_COMPONENT_ROOTDIR].slice(1) : null;
return {
hostname: matched[MATCH_COMPONENT_HOSTNAME],
reponame: matched[MATCH_COMPONENT_REPONAME],
branch: matched[MATCH_COMPONENT_BRANCH] ? matched[MATCH_COMPONENT_BRANCH].slice(1) : null,
owner: matched[MATCH_COMPONENT_OWNER],
rootDir: rootDir || sourceDir
};
}
/**
* Get hostname, repoId, branch, and rootDir from scmUri
* @method getScmUriParts
* @param {String} scmUri
* @return {Object}
*/
function getScmUriParts(scmUri) {
const scm = {};
[scm.hostname, scm.repoId, scm.branch, scm.rootDir] = scmUri.split(':');
return scm;
}
class GitlabScm extends Scm {
/**
* GitLab command to run
* @method _gitlabCommand
* @param {Object} options An object that tells what command & params to run
* @param {Object} [options.json] Body for request to make
* @param {String} options.method GitLab method. For example: get
* @param {String} options.route Route for gitlab.request()
* @param {String} options.token GitLab token used for authentication of requests
* @param {Function} callback Callback function from GitLab API
*/
_gitlabCommand(options, callback) {
const config = options;
// Generate URL
config.url = `${this.gitlabConfig.prefixUrl}/${options.route}`;
delete config.route;
// Everything else goes into context
config.context = {
token: options.token
};
delete config.token;
request(config)
.then(function cb() {
// Use "function" (not "arrow function") for getting "arguments"
callback(null, ...arguments);
})
.catch(err => callback(err));
}
/**
* Constructor
* @method constructor
* @param {Object} options Configuration options
* @param {String} [options.gitlabHost=null] If using GitLab, the host/port of the deployed instance
* @param {String} [options.gitlabProtocol=https] If using GitLab, the protocol to use
* @param {String} [options.username=sd-buildbot] GitLab username for checkout
* @param {String} [[email protected]] GitLab user email for checkout
* @param {String} [options.commentUserToken] Token with public repo permission
* @param {Object} [options.readOnly={}] Read-only SCM instance config with: enabled, username, accessToken, cloneType
* @param {Boolean} [options.https=false] Is the Screwdriver API running over HTTPS
* @param {String} options.oauthClientId OAuth Client ID provided by GitLab application
* @param {String} options.oauthClientSecret OAuth Client Secret provided by GitLab application
* @param {Object} [options.fusebox={}] Circuit Breaker configuration
* @return {GitlabScm}
*/
constructor(config = {}) {
super();
// Validate configuration
this.config = Joi.attempt(
config,
Joi.object()
.keys({
gitlabProtocol: Joi.string()
.optional()
.default('https'),
gitlabHost: Joi.string()
.optional()
.default('gitlab.com'),
username: Joi.string()
.optional()
.default('sd-buildbot'),
email: Joi.string()
.optional()
.default('[email protected]'),
commentUserToken: Joi.string()
.optional()
.description('Token for PR comments'),
readOnly: Joi.object()
.keys({
enabled: Joi.boolean().optional(),
username: Joi.string().optional(),
accessToken: Joi.string().optional(),
cloneType: Joi.string()
.valid('https', 'ssh')
.optional()
.default('https')
})
.optional()
.default({}),
https: Joi.boolean()
.optional()
.default(false),
oauthClientId: Joi.string().required(),
oauthClientSecret: Joi.string().required(),
fusebox: Joi.object().default({})
})
.unknown(true),
'Invalid config for Gitlab'
);
this.gitlabConfig = { prefixUrl: `${this.config.gitlabProtocol}://${this.config.gitlabHost}/api/v4` };
// eslint-disable-next-line no-underscore-dangle
this.breaker = new Breaker(this._gitlabCommand.bind(this), {
// Do not retry when there is a 4XX error
shouldRetry: err => err && err.status && !(err.status >= 400 && err.status < 500),
retry: this.config.fusebox.retry,
breaker: this.config.fusebox.breaker
});
}
/**
* Look up a repo by SCM URI
* @async lookupScmUri
* @param {Object} config Config object
* @param {Object} config.scmUri The SCM URI to look up relevant info
* @param {Object} config.token Service token to authenticate with GitLab
* @return {Promise} Resolves to an object containing
* repository-related information
*/
async lookupScmUri({ scmUri, token }) {
const scmInfo = getScmUriParts(scmUri);
return this.breaker
.runCommand({
method: 'GET',
route: `projects/${scmInfo.repoId}`,
token
})
.then(response => {
const [owner, reponame] = response.body.path_with_namespace.split('/');
return {
branch: scmInfo.branch,
hostname: scmInfo.hostname,
reponame,
owner,
rootDir: scmInfo.rootDir
};
});
}
/**
* Get the webhook events mapping of screwdriver events and scm events
* @method _getWebhookEventsMapping
* @return {Object} Returns a mapping of the events
*/
_getWebhookEventsMapping() {
return {
pr: 'merge_requests_events',
commit: 'push_events'
};
}
/**
* Look up a webhook from a repo
* @async _findWebhook
* @param {Object} config
* @param {Object} config.scmUri Data about repo
* @param {String} config.token The SCM URI to find the webhook from
* @param {String} config.url url for webhook notifications
* @return {Promise} Resolves a list of hooks
*/
async _findWebhook({ scmUri, token, url }) {
const { repoId } = getScmUriParts(scmUri);
return this.breaker
.runCommand({
method: 'GET',
route: `projects/${repoId}/hooks`,
token
})
.then(response => {
const hooks = response.body;
const result = hooks.find(hook => hook.url === url);
return result;
});
}
/**
* Create or edit a webhook (edits if hookInfo exists)
* @async _createWebhook
* @param {Object} config
* @param {Object} [config.hookInfo] Information about a existing webhook
* @param {Object} config.scmUri Information about the repo
* @param {String} config.token admin token for repo
* @param {String} config.url url for webhook notifications
* @param {String} config.actions Actions for the webhook events
* @return {Promise} resolves when complete
*/
async _createWebhook({ hookInfo, scmUri, token, url, actions }) {
const { repoId } = getScmUriParts(scmUri);
const params = {
url,
push_events: actions.length === 0 ? true : actions.includes('push_events'),
merge_requests_events: actions.length === 0 ? true : actions.includes('merge_requests_events')
};
const action = {
method: 'POST',
route: `projects/${repoId}/hooks`
};
if (hookInfo) {
action.method = 'PUT';
action.route += `/${hookInfo.id}`;
}
return this.breaker.runCommand({
method: action.method,
route: action.route,
json: params,
token
});
}
/** Extended from screwdriver-scm-base */
/**
* Adds the Screwdriver webhook to the GitLab repository
* @async _addWebhook
* @param {Object} config Config object
* @param {String} config.scmUri The SCM URI to add the webhook to
* @param {String} config.scmContext The scm conntext to which user belongs
* @param {String} config.token Service token to authenticate with GitLab
* @param {String} config.webhookUrl The URL to use for the webhook notifications
* @param {String} config.actions Actions for the webhook events
* @return {Promise} Resolve means operation completed without failure.
*/
async _addWebhook({ scmUri, token, webhookUrl, actions }) {
return this._findWebhook({
scmUri,
url: webhookUrl,
token
}).then(hookInfo =>
this._createWebhook({
hookInfo,
scmUri,
token,
url: webhookUrl,
actions
})
);
}
/**
* Parses a SCM URL into a screwdriver-representable ID
* @async _parseUrl
* @param {Object} config Config object
* @param {String} config.checkoutUrl The checkoutUrl to parse
* @param {String} config.token The token used to authenticate to the SCM service
* @param {String} [config.rootDir] The root directory
* @param {String} config.scmContext The scm context to which user belongs
* @return {Promise} Resolves to an ID of 'serviceName:repoId:branchName:rootDir'
*/
async _parseUrl({ checkoutUrl, rootDir, token }) {
const { hostname, owner, reponame, branch, rootDir: sourceDir } = getRepoInfoByCheckoutUrl(
checkoutUrl,
rootDir
);
const myHost = this.config.gitlabHost || 'gitlab.com';
if (hostname !== myHost) {
const message = 'This checkoutUrl is not supported for your current login host.';
throw new Error(message);
}
return this.breaker
.runCommand({
method: 'GET',
route: `projects/${owner}%2F${reponame}`,
token
})
.then(response => {
const scmUri = `${hostname}:${response.body.id}:${branch || response.body.default_branch}`;
return sourceDir ? `${scmUri}:${sourceDir}` : scmUri;
});
}
/**
* Given a SCM webhook payload & its associated headers, aggregate the
* necessary data to execute a Screwdriver job with.
* @async _parseHook
* @param {Object} payloadHeaders The request headers associated with the
* webhook payload
* @param {Object} webhookPayload The webhook payload received from the
* SCM service.
* @return {Promise} A key-map of data related to the received
* payload
*/
async _parseHook(payloadHeaders, webhookPayload) {
const scmContexts = this._getScmContexts();
const scmContext = scmContexts[0];
const hookId = ''; // hookId is not in header or payload
const checkoutUrl = Hoek.reach(webhookPayload, 'project.git_ssh_url');
const commitAuthors = [];
const commits = Hoek.reach(webhookPayload, 'commits');
const type = Hoek.reach(webhookPayload, 'object_kind');
switch (type) {
case 'merge_request': {
const mergeRequest = Hoek.reach(webhookPayload, 'object_attributes');
let action = Hoek.reach(mergeRequest, 'state');
const prNum = Hoek.reach(mergeRequest, 'iid');
const prTitle = Hoek.reach(mergeRequest, 'title');
const baseSource = Hoek.reach(mergeRequest, 'target_project_id');
const headSource = Hoek.reach(mergeRequest, 'source_project_id');
const prSource = baseSource === headSource ? 'branch' : 'fork';
const ref = `pull/${prNum}/merge`;
// Possible actions
// "opened", "closed", "locked", "merged"
if (!['opened', 'closed', 'merged'].includes(action)) {
return null;
}
if (action === 'merged') {
action = 'closed';
}
return {
action,
branch: Hoek.reach(mergeRequest, 'target_branch'),
checkoutUrl,
prNum,
prTitle,
prRef: `merge_requests/${prNum}`,
ref,
prSource,
sha: Hoek.reach(mergeRequest, 'last_commit.id'),
type: 'pr',
username: Hoek.reach(webhookPayload, 'user.username'),
hookId,
scmContext
};
}
case 'push': {
if (Array.isArray(commits)) {
commits.forEach(commit => {
commitAuthors.push(commit.author.name);
});
}
return {
action: 'push',
branch: Hoek.reach(webhookPayload, 'ref')
.split('/')
.slice(-1)[0],
checkoutUrl,
sha: Hoek.reach(webhookPayload, 'checkout_sha'),
type: 'repo',
username: Hoek.reach(webhookPayload, 'user_username'),
commitAuthors,
lastCommitMessage: Hoek.reach(webhookPayload, 'commits.-1.message', { default: '' }) || '',
hookId,
scmContext,
ref: Hoek.reach(webhookPayload, 'ref')
};
}
default:
logger.info('%s event is not available yet in scm-gitlab plugin', type);
return null;
}
}
/**
* Checkout the source code from a repository; resolves as an object with checkout commands
* @async getCheckoutCommand
* @param {Object} config
* @param {String} config.branch Pipeline branch
* @param {String} config.host Scm host to checkout source code from
* @param {String} config.org Scm org name
* @param {Object} [config.parentConfig] Config for parent pipeline
* @param {String} [config.prRef] PR reference (can be a PR branch or reference)
* @param {String} config.repo Scm repo name
* @param {String} [config.rootDir] Root directory
* @param {String} config.sha Commit sha
* @param {String} [config.commitBranch] Commit branch
* @return {Promise}
*/
async _getCheckoutCommand({
branch: pipelineBranch,
commitBranch,
host,
org,
prRef: configPrRef,
repo,
rootDir,
sha,
parentConfig,
prSource,
prBranchName
}) {
// TODO: this needs to be fixed to support private / internal repos.
const checkoutUrl = `${host}/${org}/${repo}`; // URL for https
const sshCheckoutUrl = `git@${host}:${org}/${repo}`; // URL for ssh
const branch = commitBranch || pipelineBranch; // use commit branch
const checkoutRef = configPrRef ? branch : sha; // if PR, use pipeline branch
const command = [];
command.push(
"export SD_GIT_WRAPPER=\"$(if [ `uname` = 'Darwin' ]; " +
"then echo 'eval'; " +
"else echo 'sd-step exec core/git'; fi)\""
);
// Export environment variables
command.push('echo Exporting environment variables');
if (Hoek.reach(this.config, 'readOnly.enabled')) {
if (Hoek.reach(this.config, 'readOnly.cloneType') === 'ssh') {
command.push(`export SCM_URL=${sshCheckoutUrl}`);
} else {
command.push(
'if [ ! -z $SCM_USERNAME ] && [ ! -z $SCM_ACCESS_TOKEN ]; ' +
`then export SCM_URL=https://$SCM_USERNAME:$SCM_ACCESS_TOKEN@${checkoutUrl}; ` +
`else export SCM_URL=https://${checkoutUrl}; fi`
);
}
} else {
command.push(
'if [ ! -z $SCM_CLONE_TYPE ] && [ $SCM_CLONE_TYPE = ssh ]; ' +
`then export SCM_URL=${sshCheckoutUrl}; ` +
'elif [ ! -z $SCM_USERNAME ] && [ ! -z $SCM_ACCESS_TOKEN ]; ' +
`then export SCM_URL=https://$SCM_USERNAME:$SCM_ACCESS_TOKEN@${checkoutUrl}; ` +
`else export SCM_URL=https://${checkoutUrl}; fi`
);
}
command.push('export GIT_URL=$SCM_URL.git');
// git 1.7.1 doesn't support --no-edit with merge, this should do same thing
command.push('export GIT_MERGE_AUTOEDIT=no');
// Set config
command.push('echo Setting user name and user email');
command.push(`$SD_GIT_WRAPPER "git config --global user.name ${this.config.username}"`);
command.push(`$SD_GIT_WRAPPER "git config --global user.email ${this.config.email}"`);
// Set final checkout dir, default to SD_SOURCE_DIR for backward compatibility
command.push('export SD_CHECKOUT_DIR_FINAL=$SD_SOURCE_DIR');
// eslint-disable-next-line max-len
command.push('if [ ! -z $SD_CHECKOUT_DIR ]; then export SD_CHECKOUT_DIR_FINAL=$SD_CHECKOUT_DIR; fi');
const shallowCloneCmd =
'else if [ ! -z "$GIT_SHALLOW_CLONE_SINCE" ]; ' +
'then export GIT_SHALLOW_CLONE_DEPTH_OPTION=' +
'"--shallow-since=\'$GIT_SHALLOW_CLONE_SINCE\'"; ' +
'else if [ -z $GIT_SHALLOW_CLONE_DEPTH ]; ' +
'then export GIT_SHALLOW_CLONE_DEPTH=50; fi; ' +
'export GIT_SHALLOW_CLONE_DEPTH_OPTION="--depth=$GIT_SHALLOW_CLONE_DEPTH"; fi; ' +
'export GIT_SHALLOW_CLONE_BRANCH="--no-single-branch"; ' +
'if [ "$GIT_SHALLOW_CLONE_SINGLE_BRANCH" = true ]; ' +
'then export GIT_SHALLOW_CLONE_BRANCH=""; fi; ' +
'$SD_GIT_WRAPPER ' +
'"git clone $GIT_SHALLOW_CLONE_DEPTH_OPTION $GIT_SHALLOW_CLONE_BRANCH ';
// Checkout config pipeline if this is a child pipeline
if (parentConfig) {
const parentCheckoutUrl = `${parentConfig.host}/${parentConfig.org}/${parentConfig.repo}`; // URL for https
const parentSshCheckoutUrl = `git@${parentConfig.host}:${parentConfig.org}/${parentConfig.repo}`; // URL for ssh
const parentBranch = parentConfig.branch;
const externalConfigDir = '$SD_ROOT_DIR/config';
command.push(
'if [ ! -z $SCM_CLONE_TYPE ] && [ $SCM_CLONE_TYPE = ssh ]; ' +
`then export CONFIG_URL=${parentSshCheckoutUrl}; ` +
'elif [ ! -z $SCM_USERNAME ] && [ ! -z $SCM_ACCESS_TOKEN ]; ' +
'then export CONFIG_URL=https://$SCM_USERNAME:$SCM_ACCESS_TOKEN@' +
`${parentCheckoutUrl}; ` +
`else export CONFIG_URL=https://${parentCheckoutUrl}; fi`
);
command.push(`export SD_CONFIG_DIR=${externalConfigDir}`);
// Git clone
command.push(`echo Cloning external config repo ${parentCheckoutUrl}`);
command.push(
`${'if [ ! -z $GIT_SHALLOW_CLONE ] && [ $GIT_SHALLOW_CLONE = false ]; ' +
'then $SD_GIT_WRAPPER ' +
`"git clone --recursive --quiet --progress --branch ${parentBranch} ` +
'$CONFIG_URL $SD_CONFIG_DIR"; '}${shallowCloneCmd}` +
`--recursive --quiet --progress --branch ${parentBranch} ` +
'$CONFIG_URL $SD_CONFIG_DIR"; fi'
);
// Reset to SHA
command.push(`$SD_GIT_WRAPPER "git -C $SD_CONFIG_DIR reset --hard ${parentConfig.sha} --"`);
command.push(`echo Reset external config repo to ${parentConfig.sha}`);
}
// Git clone
command.push(`echo 'Cloning ${checkoutUrl}, on branch ${branch}'`);
command.push(
`${'if [ ! -z $GIT_SHALLOW_CLONE ] && [ $GIT_SHALLOW_CLONE = false ]; ' +
'then $SD_GIT_WRAPPER ' +
`"git clone --recursive --quiet --progress --branch '${branch}' ` +
'$SCM_URL $SD_CHECKOUT_DIR_FINAL"; '}${shallowCloneCmd}` +
`--recursive --quiet --progress --branch '${branch}' ` +
'$SCM_URL $SD_CHECKOUT_DIR_FINAL"; fi'
);
// Reset to SHA
command.push(`$SD_GIT_WRAPPER "git reset --hard '${checkoutRef}' --"`);
command.push(`echo 'Reset to ${checkoutRef}'`);
// cd into rootDir after cloning
if (rootDir) {
command.push(`cd ${rootDir}`);
}
// For pull requests
if (configPrRef) {
const LOCAL_BRANCH_NAME = 'pr';
const prRef = configPrRef.replace('merge', `head:${LOCAL_BRANCH_NAME}`);
const baseRepo = prSource === 'fork' ? 'upstream' : 'origin';
// Fetch a pull request
command.push(`echo 'Fetching PR ${prRef}'`);
command.push(`$SD_GIT_WRAPPER "git fetch origin ${prRef}"`);
command.push(`export PR_BASE_BRANCH_NAME='${branch}'`);
command.push(`export PR_BRANCH_NAME='${baseRepo}/${prBranchName}'`);
command.push(`echo 'Checking out the PR branch ${prBranchName}'`);
command.push(`$SD_GIT_WRAPPER "git checkout ${LOCAL_BRANCH_NAME}"`);
command.push(`$SD_GIT_WRAPPER "git merge ${branch}"`);
command.push(`export GIT_BRANCH=origin/refs/${prRef}`);
} else {
command.push(`export GIT_BRANCH='origin/${branch}'`);
}
// Init & Update submodule
command.push('$SD_GIT_WRAPPER "git submodule init"');
command.push('$SD_GIT_WRAPPER "git submodule update --recursive"');
return Promise.resolve({
name: 'sd-checkout-code',
command: command.join(' && ')
});
}
/**
* Decorate a given SCM URI with additional data to better display
* related information. If a branch suffix is not provided, it will default
* to the default_branch
* @async _decorateUrl
* @param {Config} config Configuration object
* @param {String} config.scmUri The SCM URI the commit belongs to
* @param {String} config.token Service token to authenticate with GitLab
* @param {String} config.scmContext The scm context to which user belongs
* @return {Promise}
*/
async _decorateUrl({ scmUri, token }) {
const { hostname, owner, reponame, branch, rootDir } = await this.lookupScmUri({
scmUri,
token
});
const baseUrl = `${hostname}/${owner}/${reponame}/-/tree/${branch}`;
return {
branch,
name: `${owner}/${reponame}`,
url: `${this.config.gitlabProtocol}://${rootDir ? Path.join(baseUrl, rootDir) : baseUrl}`,
rootDir: rootDir || ''
};
}
/**
* Decorate the commit based on the repository
* @async _decorateCommit
* @param {Object} config Configuration object
* @param {Object} config.scmUri SCM URI the commit belongs to
* @param {Object} config.sha SHA to decorate data with
* @param {Object} config.token Service token to authenticate with GitLab
* @param {Object} config.scmContext Context to which user belongs
* @return {Promise}
*/
async _decorateCommit({ scmUri, sha, token }) {
const { owner, reponame } = await this.lookupScmUri({
scmUri,
token
});
// There's no username provided, so skipping decorateAuthor
return this.breaker
.runCommand({
method: 'GET',
token,
route: `projects/${owner}%2F${reponame}/repository/commits/${sha}`
})
.then(commit => {
const authorName = Hoek.reach(commit, 'body.author_name');
const committerName = Hoek.reach(commit, 'body.committer_name');
const author = { ...DEFAULT_AUTHOR };
const committer = { ...DEFAULT_AUTHOR };
if (authorName) {
author.name = authorName;
}
if (committerName) {
committer.name = committerName;
}
return {
author,
committer,
message: commit.body.message,
url: commit.body.web_url
};
});
}
/**
* Decorate the author based on the GitLab service
* @async _decorateAuthor
* @param {Object} config Configuration object
* @param {Object} config.token Service token to authenticate with GitLab
* @param {Object} config.username Username to query more information for
* @return {Promise}
*/
async _decorateAuthor({ token, username }) {
return this.breaker
.runCommand({
method: 'GET',
token,
route: `users`,
searchParams: {
username
}
})
.then(response => {
const author = Hoek.reach(response, 'body.0', {
default: {
web_url: DEFAULT_AUTHOR.url,
name: DEFAULT_AUTHOR.name,
username: DEFAULT_AUTHOR.username,
avatar_url: DEFAULT_AUTHOR.avatar
}
});
return {
url: author.web_url,
name: author.name,
username: author.username,
avatar: author.avatar_url
};
});
}
/**
* Get a owners permissions on a repository
* @async _getPermissions
* @param {Object} config Configuration
* @param {String} config.scmUri The scmUri to get permissions on
* @param {String} config.token The token used to authenticate to the SCM
* @param {String} config.scmContext The scm context to which user belongs
* @return {Promise}
*/
async _getPermissions({ scmUri, token }) {
const { repoId } = getScmUriParts(scmUri);
return this.breaker
.runCommand({
method: 'GET',
token,
route: `projects/${repoId}`
})
.then(response => {
const result = {
admin: false,
push: false,
pull: false
};
const { permissions } = response.body;
const accessLevel = Hoek.reach(permissions, 'project_access.access_level', {
default: 0
});
// ref: https://docs.gitlab.com/ee/api/members.html
// ref: https://docs.gitlab.com/ee/user/permissions.html
switch (accessLevel) {
case 50: // Owner
// falls through
case 40: // Master
result.admin = true;
// falls through
case 30: // Developer
result.push = true;
// falls through
case 20: // reporter
result.pull = true;
// falls through
case 10: // Guest
// falls through
default:
break;
}
return result;
});
}
/**
* Get a users permissions on an organization; need for build clusters
* @async _getOrgPermissions
* @param {Object} config Configuration
* @param {String} config.organization The organization to get permissions on
* @param {String} config.username The user to check against
* @param {String} config.token The token used to authenticate to the SCM
* @param {String} [config.scmContext] The scm context name
* @return {Promise}
*/
async _getOrgPermissions() {
return Promise.reject(new Error('Not implemented'));
}
/**
* Get a commit sha for a specific repo#branch
* @async getCommitSha
* @param {Object} config Configuration
* @param {String} config.scmUri The scmUri to get commit sha of
* @param {String} config.scmContext The scm context to which user belongs
* @param {String} config.token The token used to authenticate to the SCM
* @return {Promise}
*/
async _getCommitSha({ scmUri, token }) {
const { repoId, branch } = getScmUriParts(scmUri);
return this.breaker
.runCommand({
method: 'GET',
token,
route: `projects/${repoId}/repository/branches/${branch}`
})
.then(response => {
return response.body.commit.id;
});
}
/**
* Get all the comments of a particular Pull Request
* @async prComments
* @param {Object} repoId The repo ID
* @param {Integer} prNum The PR number used to fetch the PR
* @return {Promise} Resolves to object containing the list of comments of this PR
*/
async prComments(repoId, prNum) {
let prComments;
try {
prComments = await this.breaker.runCommand({
method: 'GET',
token: this.config.commentUserToken,
route: `projects/${repoId}/merge_requests/${prNum}/notes`
});
return { comments: prComments.body };
} catch (err) {
logger.warn(`Failed to fetch PR comments for repo ${repoId}, PR ${prNum}: `, err);
return null;
}
}
/**
* Edit a particular comment in the PR
* @async editPrComment
* @param {Integer} commentId The id of the particular comment to be edited
* @param {Object} repoId The information regarding SCM like repo, owner
* @param {Integer} prNum The PR number used to fetch the PR
* @param {String} comment The new comment body
* @return {Promise} Resolves to object containing PR comment info
*/
async editPrComment(commentId, repoId, prNum, comment) {
try {
const pullRequestComment = await this.breaker.runCommand({
method: 'PUT',
token: this.config.commentUserToken, // need to use a token with public_repo permissions
route: `projects/${repoId}/merge_requests/${prNum}/notes/${commentId}`,
json: {
body: comment
}
});
return pullRequestComment;
} catch (err) {
logger.warn('Failed to edit PR comment: ', err);
return null;
}
}
/**
* Add merge request note
* @async addPrComment
* @param {Object} config Configuration
* @param {String} config.comment The PR comment
* @param {Integer} config.prNum The PR number
* @param {String} config.scmUri The scmUri to get commit sha of
* @return {Promise}
*/
async _addPrComment({ comment, prNum, scmUri }) {
const { repoId } = getScmUriParts(scmUri);
const prComments = await this.prComments(repoId, prNum);
if (prComments) {
const botComment = prComments.comments.find(
commentObj => commentObj.author.username === this.config.username
);
if (botComment) {
try {
const pullRequestComment = await this.editPrComment(botComment.id, repoId, prNum, comment);
if (pullRequestComment.statusCode !== 200) {
throw pullRequestComment;
}
return {
commentId: Hoek.reach(pullRequestComment, 'body.id'),
createTime: Hoek.reach(pullRequestComment, 'body.created_at'),
username: Hoek.reach(pullRequestComment, 'body.author.username')
};
} catch (err) {
logger.error('Failed to addPRComment: ', err);
return null;
}
}
}
try {
const pullRequestComment = await this.breaker.runCommand({
method: 'POST',
token: this.config.commentUserToken,
route: `projects/${repoId}/merge_requests/${prNum}/notes`,
json: {
body: comment
}
});
if (pullRequestComment.statusCode !== 200) {
throw pullRequestComment;
}
return {
commentId: Hoek.reach(pullRequestComment, 'body.id'),
createTime: Hoek.reach(pullRequestComment, 'body.created_at'),
username: Hoek.reach(pullRequestComment, 'body.author.username')
};
} catch (err) {
logger.error('Failed to addPRComment: ', err);
return null;
}
}
/**
* Get a commit sha from a reference; will need this to support tag/release
* @async _getCommitRefSha
* @param {Object} config
* @param {String} config.token The token used to authenticate to the SCM
* @param {String} config.owner The owner of the target repository
* @param {String} config.repo The target repository name
* @param {String} config.ref The reference which we want
* @param {String} config.refType The reference type. ex. branch is 'heads', tag is 'tags'.
* @return {Promise} Resolves to the commit sha
*/
async _getCommitRefSha() {
return Promise.reject(new Error('Not implemented'));
}
/**
* Update the commit status for a given repo and sha
* @async updateCommitStatus
* @param {Object} config Configuration
* @param {String} config.scmUri The scmUri to get permissions on
* @param {String} config.sha The sha to apply the status to
* @param {String} config.buildStatus The build status used for figuring out the commit status to set
* @param {String} config.token The token used to authenticate to the SCM
* @param {String} config.jobName Optional name of the job that finished
* @param {String} config.url Target url
* @param {Number} config.pipelineId Pipeline Id
* @param {String} config.context Status context
* @param {String} config.description Status description
* @return {Promise}
*/
async _updateCommitStatus({ scmUri, jobName, token, sha, buildStatus, url, pipelineId, context, description }) {
const repoInfo = getScmUriParts(scmUri);
const statusTitle = context
? `Screwdriver/${pipelineId}/${context}`
: `Screwdriver/${pipelineId}/${jobName.replace(/^PR-\d+/g, 'PR')}`; // (e.g. Screwdriver/12/PR:main)
return this.breaker.runCommand({
method: 'POST',
token,
route: `projects/${repoInfo.repoId}/statuses/${sha}`,
json: {
context: statusTitle,
description: description || DESCRIPTION_MAP[buildStatus],
state: STATE_MAP[buildStatus] || 'failed',
target_url: url
}
});
}
/**
* Fetch content of a file from gitlab
* @async getFile
* @param {Object} config Configuration
* @param {String} config.scmUri The scmUri to get permissions on
* @param {String} config.path The file in the repo to fetch
* @param {String} config.token The token used to authenticate to the SCM
* @param {String} [config.ref] The reference to the SCM, either branch or sha
* @param {String} config.scmContext The scm context to which user belongs
* @return {Promise}
*/
async _getFile({ scmUri, path, token, ref }) {
const { repoId, branch, rootDir } = getScmUriParts(scmUri);
const fullPath = rootDir ? Path.join(rootDir, path) : path;
return this.breaker
.runCommand({
method: 'GET',
token,
route: `projects/${repoId}/repository/files/${encodeURIComponent(fullPath)}`,
searchParams: {
ref: ref || branch
}
})
.then(response => {
return Buffer.from(response.body.content, response.body.encoding).toString();