-
-
Notifications
You must be signed in to change notification settings - Fork 16
/
Copy pathawsLambdaLayer.ts
333 lines (305 loc) Β· 10.8 KB
/
awsLambdaLayer.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
import * as fs from 'fs';
import * as path from 'path';
import { Octokit } from '@octokit/rest';
import simpleGit from 'simple-git';
import {
getGitHubClient,
GitHubRemote,
} from '../utils/githubApi';
import { TargetConfig } from '../schemas/project_config';
import { BaseTarget } from './base';
import { BaseArtifactProvider } from '../artifact_providers/base';
import { ConfigurationError, reportError } from '../utils/errors';
import {
AwsLambdaLayerManager,
CompatibleRuntime,
getAccountFromArn,
getRegionsFromAws,
} from '../utils/awsLambdaLayerManager';
import { createSymlinks } from '../utils/symlink';
import { withTempDir } from '../utils/files';
import { isDryRun } from '../utils/helpers';
import { isPreviewRelease } from '../utils/version';
import { DEFAULT_REGISTRY_REMOTE } from '../utils/registry';
/** Config options for the "aws-lambda-layer" target. */
interface AwsLambdaTargetConfig {
/** AWS access key ID, set as AWS_ACCESS_KEY_ID. */
awsAccessKeyId: string;
/** AWS secret access key, set as `AWS_SECRET_ACCESS_KEY`. */
awsSecretAccessKey: string;
/** Git remote of the release registry. */
registryRemote: GitHubRemote;
/** Should layer versions of prereleases be pushed to the registry? */
linkPrereleases: boolean;
}
/**
* Target responsible for uploading files to AWS Lambda.
*/
export class AwsLambdaLayerTarget extends BaseTarget {
/** Target name */
public readonly name: string = 'aws-lambda-layer';
/** Target options */
public readonly awsLambdaConfig: AwsLambdaTargetConfig;
/** GitHub client. */
public readonly github: Octokit;
/** The directory where the runtime-specific directories are. */
private readonly AWS_REGISTRY_DIR = 'aws-lambda-layers';
/** File containing data fields every new version file overrides */
private readonly BASE_FILENAME = 'base.json';
public constructor(
config: TargetConfig,
artifactProvider: BaseArtifactProvider
) {
super(config, artifactProvider);
this.github = getGitHubClient();
this.awsLambdaConfig = this.getAwsLambdaConfig();
}
/**
* Extracts AWS Lambda target options from the environment.
*/
protected getAwsLambdaConfig(): AwsLambdaTargetConfig {
if (!process.env.AWS_ACCESS_KEY_ID || !process.env.AWS_SECRET_ACCESS_KEY) {
throw new ConfigurationError(
`Cannot publish AWS Lambda Layer: missing credentials.
Please use AWS_ACCESS_KEY_ID and AWS_SECRET_ACCESS_KEY environment variables.`
);
}
return {
awsAccessKeyId: process.env.AWS_ACCESS_KEY_ID,
awsSecretAccessKey: process.env.AWS_SECRET_ACCESS_KEY,
registryRemote: DEFAULT_REGISTRY_REMOTE,
linkPrereleases: this.config.linkPrereleases || false,
};
}
/**
* Checks if the required project configuration parameters are available.
* The required parameters are `layerName` and `compatibleRuntimes`.
* There is also an optional parameter `includeNames`.
*/
private checkProjectConfig(): void {
const missingConfigOptions = [];
if (!('layerName' in this.config)) {
missingConfigOptions.push('layerName');
}
if (!('compatibleRuntimes' in this.config)) {
missingConfigOptions.push('compatibleRuntimes');
}
if (!('license' in this.config)) {
missingConfigOptions.push('license');
}
if (missingConfigOptions.length > 0) {
throw new ConfigurationError(
'Missing project configuration parameter(s): ' + missingConfigOptions
);
}
}
/**
* Publishes current lambda layer zip bundle to AWS Lambda.
* @param version New version to be released.
* @param revision Git commit SHA to be published.
*/
public async publish(version: string, revision: string): Promise<any> {
this.checkProjectConfig();
this.logger.debug('Fetching artifact list...');
const packageFiles = await this.getArtifactsForRevision(revision, {
includeNames:
this.config.includeNames === undefined
? undefined
: new RegExp(this.config.includeNames),
});
if (packageFiles.length == 0) {
reportError('Cannot publish AWS Lambda Layer: no packages found');
return undefined;
} else if (packageFiles.length > 1) {
reportError(
'Cannot publish AWS Lambda Layer: ' +
'multiple packages with matching patterns were found. You may want ' +
'to include or modify the includeNames parameter in the project config'
);
return undefined;
}
const artifactBuffer = fs.readFileSync(
await this.artifactProvider.downloadArtifact(packageFiles[0])
);
const awsRegions = await getRegionsFromAws();
this.logger.trace('AWS regions: ', awsRegions);
const remote = this.awsLambdaConfig.registryRemote;
await withTempDir(
async directory => {
const git = simpleGit(directory);
this.logger.info(
`Cloning ${remote.getRemoteString()} to ${directory}...`
);
await git.clone(remote.getRemoteStringWithAuth(), directory);
if (!isDryRun()) {
await this.publishRuntimes(
version,
directory,
awsRegions,
artifactBuffer
);
this.logger.debug('Finished publishing runtimes.');
} else {
this.logger.info('[dry-run] Not publishing new layers.');
}
await git.add(['.']);
await git.checkout('master');
const runtimeNames = this.config.compatibleRuntimes.map(
(runtime: CompatibleRuntime) => runtime.name
);
await git.commit(
'craft(aws-lambda): AWS Lambda layers published\n\n' +
`v${version} for ${runtimeNames}`
);
if (this.isPushableToRegistry(version)) {
this.logger.info('Pushing changes...');
await git.push();
}
},
true,
'craft-release-awslambdalayer-'
);
}
/**
* Returns whether the current version release should be pushed to the registy.
*
* If the dry-run mode is enabled, the release is not pusheable.
* If the release is a preview release, unless otherwise stated in the
* configuration, the release is not pusheable.
* In any other case, the release is pusheable.
*
* @param version The new version to be released.
* @param linkPrereleases Whether the current release is a prerelease.
*/
private isPushableToRegistry(version: string): boolean {
if (isDryRun()) {
this.logger.info('[dry-run] Not pushing the branch.');
return false;
}
if (isPreviewRelease(version) && !this.awsLambdaConfig.linkPrereleases) {
// preview release
this.logger.info(
"Preview release detected, not updating the layer's data."
);
return false;
}
return true;
}
/**
* Creates symlinks to the new version file, and updates previous ones if needed.
* @param directory The directory where symlinks will be created.
* @param version The new version to be released.
* @param versionFilepath Path to the new version file.
*/
private createVersionSymlinks(
directory: string,
version: string,
versionFilepath: string
): void {
this.logger.debug('Creating symlinks...');
const latestVersionPath = path.posix.join(directory, 'latest.json');
if (fs.existsSync(latestVersionPath)) {
const previousVersion = fs
.readlinkSync(latestVersionPath)
.split('.json')[0];
createSymlinks(versionFilepath, version, previousVersion);
} else {
// When no previous versions are found, just create symlinks.
createSymlinks(versionFilepath, version);
}
}
/**
* Publishes new AWS Lambda layers for every runtime.
* @param version The version to be published.
* @param directory Directory to write the version files to.
* @param awsRegions List of AWS regions to create new layers in.
* @param artifactBuffer Buffer of the artifact to use in the AWS Lambda layers.
*/
private async publishRuntimes(
version: string,
directory: string,
awsRegions: string[],
artifactBuffer: Buffer
): Promise<void> {
await Promise.all(
this.config.compatibleRuntimes.map(async (runtime: CompatibleRuntime) => {
this.logger.debug(`Publishing runtime ${runtime.name}...`);
const layerManager = new AwsLambdaLayerManager(
runtime,
this.config.layerName,
this.config.license,
artifactBuffer,
awsRegions
);
let publishedLayers = [];
try {
publishedLayers = await layerManager.publishToAllRegions();
this.logger.debug('Finished publishing to all regions.');
} catch (error) {
this.logger.error(
`Did not publish layers for ${runtime.name}.`,
error
);
return;
}
// If no layers have been created, don't do extra work updating files.
if (publishedLayers.length == 0) {
this.logger.info(`${runtime.name}: no layers published.`);
return;
} else {
this.logger.info(
`${runtime.name}: ${publishedLayers.length} layers published.`
);
}
// Base directory for the layer files of the current runtime.
const runtimeBaseDir = path.posix.join(
directory,
this.AWS_REGISTRY_DIR,
runtime.name
);
if (!fs.existsSync(runtimeBaseDir)) {
this.logger.warn(
`Directory structure for ${runtime.name} is missing, skipping file creation.`
);
return;
}
const regionsVersions = publishedLayers.map(layer => {
return {
region: layer.region,
version: layer.version.toString(),
};
});
// Common data specific to all the layers in the current runtime.
const runtimeData = {
canonical: layerManager.getCanonicalName(),
sdk_version: version,
account_number: getAccountFromArn(publishedLayers[0].arn),
layer_name: this.config.layerName,
regions: regionsVersions,
};
const baseFilepath = path.posix.join(
runtimeBaseDir,
this.BASE_FILENAME
);
const newVersionFilepath = path.posix.join(
runtimeBaseDir,
`${version}.json`
);
if (!fs.existsSync(baseFilepath)) {
this.logger.warn(`The ${runtime.name} base file is missing.`);
fs.writeFileSync(newVersionFilepath, JSON.stringify(runtimeData));
} else {
const baseData = JSON.parse(fs.readFileSync(baseFilepath).toString());
fs.writeFileSync(
newVersionFilepath,
JSON.stringify({ ...baseData, ...runtimeData })
);
}
this.createVersionSymlinks(runtimeBaseDir, version, newVersionFilepath);
this.logger.info(
`${runtime.name}: created files and updated symlinks.`
);
})
);
}
}