generated from serverless/template-package
-
Notifications
You must be signed in to change notification settings - Fork 10
/
Copy pathutils.js
337 lines (305 loc) · 10.3 KB
/
utils.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
const path = require('path')
const { Cos } = require('tencent-component-toolkit')
const ensureObject = require('type/object/ensure')
const ensureIterable = require('type/iterable/ensure')
const ensureString = require('type/string/ensure')
const download = require('download')
const { TypeError } = require('tencent-component-toolkit/src/utils/error')
const CONFIGS = require('./config')
/*
* Generates a random id
*/
const generateId = () =>
Math.random()
.toString(36)
.substring(6)
const deepClone = (obj) => {
return JSON.parse(JSON.stringify(obj))
}
const getType = (obj) => {
return Object.prototype.toString.call(obj).slice(8, -1)
}
const mergeJson = (sourceJson, targetJson) => {
Object.entries(sourceJson).forEach(([key, val]) => {
targetJson[key] = deepClone(val)
})
return targetJson
}
const capitalString = (str) => {
if (str.length < 2) {
return str.toUpperCase()
}
return `${str[0].toUpperCase()}${str.slice(1)}`
}
const getDefaultProtocol = (protocols) => {
return String(protocols).includes('https') ? 'https' : 'http'
}
const getDefaultFunctionName = () => {
return `${CONFIGS.compName}_component_${generateId()}`
}
const getDefaultServiceName = () => {
return 'serverless'
}
const getDefaultServiceDescription = () => {
return 'Created by Serverless Component'
}
const validateTraffic = (num) => {
if (getType(num) !== 'Number') {
throw new TypeError(
`PARAMETER_${CONFIGS.compName.toUpperCase()}_TRAFFIC`,
'traffic must be a number'
)
}
if (num < 0 || num > 1) {
throw new TypeError(
`PARAMETER_${CONFIGS.compName.toUpperCase()}_TRAFFIC`,
'traffic must be a number between 0 and 1'
)
}
return true
}
const getCodeZipPath = async (instance, inputs) => {
console.log(`Packaging ${CONFIGS.compFullname} application...`)
// unzip source zip file
let zipPath
if (!inputs.code.src) {
// add default template
const downloadPath = `/tmp/${generateId()}`
const filename = 'template'
console.log(`Installing Default ${CONFIGS.compFullname} App...`)
try {
await download(CONFIGS.templateUrl, downloadPath, {
filename: `${filename}.zip`
})
} catch (e) {
throw new TypeError(`DOWNLOAD_TEMPLATE`, 'Download default template failed.')
}
zipPath = `${downloadPath}/${filename}.zip`
} else {
zipPath = inputs.code.src
}
return zipPath
}
/**
* Upload code to COS
* @param {Component} instance serverless component instance
* @param {string} appId app id
* @param {object} credentials credentials
* @param {object} inputs component inputs parameters
* @param {string} region region
*/
const uploadCodeToCos = async (instance, appId, credentials, inputs, region) => {
const bucketName = inputs.code.bucket || `sls-cloudfunction-${region}-code`
const objectName = inputs.code.object || `${inputs.name}-${Math.floor(Date.now() / 1000)}.zip`
// if set bucket and object not pack code
if (!inputs.code.bucket || !inputs.code.object) {
const zipPath = await getCodeZipPath(instance, inputs)
console.log(`Code zip path ${zipPath}`)
// save the zip path to state for lambda to use it
instance.state.zipPath = zipPath
const cos = new Cos(credentials, region)
if (!inputs.code.bucket) {
// create default bucket
await cos.deploy({
bucket: bucketName + '-' + appId,
force: true,
lifecycle: [
{
status: 'Enabled',
id: 'deleteObject',
filter: '',
expiration: { days: '10' },
abortIncompleteMultipartUpload: { daysAfterInitiation: '10' }
}
]
})
}
// upload code to cos
if (!inputs.code.object) {
console.log(`Getting cos upload url for bucket ${bucketName}`)
const uploadUrl = await cos.getObjectUrl({
bucket: bucketName + '-' + appId,
object: objectName,
method: 'PUT'
})
// if shims and sls sdk entries had been injected to zipPath, no need to injected again
console.log(`Uploading code to bucket ${bucketName}`)
if (instance.codeInjected === true) {
await instance.uploadSourceZipToCOS(zipPath, uploadUrl, {}, {})
} else {
const slsSDKEntries = instance.getSDKEntries('_shims/handler.handler')
await instance.uploadSourceZipToCOS(zipPath, uploadUrl, slsSDKEntries, {
_shims: path.join(__dirname, '_shims')
})
instance.codeInjected = true
}
console.log(`Upload ${objectName} to bucket ${bucketName} success`)
}
}
// save bucket state
instance.state.bucket = bucketName
instance.state.object = objectName
return {
bucket: bucketName,
object: objectName
}
}
const prepareInputs = async (instance, credentials, inputs = {}) => {
// 对function inputs进行标准化
const tempFunctionConf = inputs.functionConf
? inputs.functionConf
: inputs.functionConfig
? inputs.functionConfig
: {}
const fromClientRemark = `tencent-${CONFIGS.compName}`
const regionList = inputs.region
? typeof inputs.region == 'string'
? [inputs.region]
: inputs.region
: ['ap-guangzhou']
// chenck state function name
const stateFunctionName =
instance.state[regionList[0]] && instance.state[regionList[0]].functionName
const functionConf = Object.assign(tempFunctionConf, {
code: {
src: inputs.src,
bucket: inputs.srcOriginal && inputs.srcOriginal.bucket,
object: inputs.srcOriginal && inputs.srcOriginal.object
},
name:
ensureString(inputs.functionName, { isOptional: true }) ||
stateFunctionName ||
getDefaultFunctionName(),
region: regionList,
role: ensureString(tempFunctionConf.role ? tempFunctionConf.role : inputs.role, {
default: ''
}),
handler: ensureString(tempFunctionConf.handler ? tempFunctionConf.handler : inputs.handler, {
default: CONFIGS.handler
}),
runtime: ensureString(tempFunctionConf.runtime ? tempFunctionConf.runtime : inputs.runtime, {
default: CONFIGS.runtime
}),
namespace: ensureString(
tempFunctionConf.namespace ? tempFunctionConf.namespace : inputs.namespace,
{ default: CONFIGS.namespace }
),
description: ensureString(
tempFunctionConf.description ? tempFunctionConf.description : inputs.description,
{
default: CONFIGS.description
}
),
fromClientRemark,
layers: ensureIterable(tempFunctionConf.layers ? tempFunctionConf.layers : inputs.layers, {
default: []
}),
cfs: ensureIterable(tempFunctionConf.cfs ? tempFunctionConf.cfs : inputs.cfs, {
default: []
}),
publish: inputs.publish,
traffic: inputs.traffic,
lastVersion: instance.state.lastVersion,
timeout: tempFunctionConf.timeout ? tempFunctionConf.timeout : CONFIGS.timeout,
memorySize: tempFunctionConf.memorySize ? tempFunctionConf.memorySize : CONFIGS.memorySize,
tags: ensureObject(tempFunctionConf.tags ? tempFunctionConf.tags : inputs.tag, {
default: null
})
})
// validate traffic
if (inputs.traffic !== undefined) {
validateTraffic(inputs.traffic)
}
functionConf.needSetTraffic = inputs.traffic !== undefined && functionConf.lastVersion
if (tempFunctionConf.environment) {
functionConf.environment = tempFunctionConf.environment
functionConf.environment.variables = functionConf.environment.variables || {}
functionConf.environment.variables.SERVERLESS = '1'
functionConf.environment.variables.SLS_ENTRY_FILE = inputs.entryFile || CONFIGS.defaultEntryFile
} else {
functionConf.environment = {
variables: {
SERVERLESS: '1',
SLS_ENTRY_FILE: inputs.entryFile || CONFIGS.defaultEntryFile
}
}
}
if (tempFunctionConf.vpcConfig) {
functionConf.vpcConfig = tempFunctionConf.vpcConfig
}
// 对apigw inputs进行标准化
const tempApigwConf = inputs.apigatewayConf
? inputs.apigatewayConf
: inputs.apigwConfig
? inputs.apigwConfig
: {}
const apigatewayConf = Object.assign(tempApigwConf, {
serviceId: inputs.serviceId || tempApigwConf.serviceId,
region: regionList,
isDisabled: tempApigwConf.isDisabled === true,
fromClientRemark: fromClientRemark,
serviceName: inputs.serviceName || tempApigwConf.serviceName || getDefaultServiceName(instance),
serviceDesc: tempApigwConf.serviceDesc || getDefaultServiceDescription(instance),
protocols: tempApigwConf.protocols || ['http'],
environment: tempApigwConf.environment ? tempApigwConf.environment : 'release',
customDomains: tempApigwConf.customDomains || []
})
if (!apigatewayConf.endpoints) {
apigatewayConf.endpoints = [
{
path: tempApigwConf.path || '/',
enableCORS: tempApigwConf.enableCORS,
serviceTimeout: tempApigwConf.serviceTimeout,
method: 'ANY',
apiName: tempApigwConf.apiName || 'index',
isBase64Encoded: tempApigwConf.isBase64Encoded,
isBase64Trigger: tempApigwConf.isBase64Trigger,
base64EncodedTriggerRules: tempApigwConf.base64EncodedTriggerRules,
function: {
isIntegratedResponse: true,
functionName: functionConf.name,
functionNamespace: functionConf.namespace,
functionQualifier:
(tempApigwConf.function && tempApigwConf.function.functionQualifier) || '$LATEST'
}
}
]
}
if (tempApigwConf.usagePlan) {
apigatewayConf.endpoints[0].usagePlan = {
usagePlanId: tempApigwConf.usagePlan.usagePlanId,
usagePlanName: tempApigwConf.usagePlan.usagePlanName,
usagePlanDesc: tempApigwConf.usagePlan.usagePlanDesc,
maxRequestNum: tempApigwConf.usagePlan.maxRequestNum
}
}
if (tempApigwConf.auth) {
apigatewayConf.endpoints[0].auth = {
secretName: tempApigwConf.auth.secretName,
secretIds: tempApigwConf.auth.secretIds
}
}
regionList.forEach((curRegion) => {
const curRegionConf = inputs[curRegion]
if (curRegionConf && curRegionConf.functionConf) {
functionConf[curRegion] = curRegionConf.functionConf
}
if (curRegionConf && curRegionConf.apigatewayConf) {
apigatewayConf[curRegion] = curRegionConf.apigatewayConf
}
})
return {
regionList,
functionConf,
apigatewayConf
}
}
module.exports = {
deepClone,
generateId,
uploadCodeToCos,
mergeJson,
capitalString,
getDefaultProtocol,
prepareInputs
}