-
Notifications
You must be signed in to change notification settings - Fork 980
/
Copy pathtest-functions-deploy.js
330 lines (306 loc) · 9.97 KB
/
test-functions-deploy.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
#!/usr/bin/env node
"use strict";
/**
* Integration test for testing function deploys. Run:
* node ./test-functions-deploy.js <projectId> <region>
*
* If parameters ommited:
* - projectId defaults to `functions-integration-test`
* - region defaults to `us-central1`
*/
var expect = require("chai").expect;
var execSync = require("child_process").execSync;
var exec = require("child_process").exec;
var tmp = require("tmp");
var _ = require("lodash");
var fs = require("fs-extra");
var cloudfunctions = require("../lib/gcp/cloudfunctions");
var api = require("../lib/api");
var scopes = require("../lib/scopes");
var { configstore } = require("../lib/configstore");
var extractTriggers = require("../lib/deploy/functions/runtimes/node/extractTriggers");
var functionsConfig = require("../lib/functionsConfig");
var { last } = require("../lib/utils");
var clc = require("colorette");
var firebase = require("firebase");
var functionsSource = __dirname + "/assets/functions_to_test.js";
var projectDir = __dirname + "/test-project";
var projectId = process.argv[2] || "functions-integration-test";
var region = process.argv[3] || "us-central1";
var httpsTrigger = `https://${region}-${projectId}.cloudfunctions.net/httpsAction`;
var localFirebase = __dirname + "/../lib/bin/firebase.js";
var TIMEOUT = 40000;
var tmpDir;
var app;
var deleteAllFunctions = function () {
var toDelete = parseFunctionsList().map(function (funcName) {
return funcName.replace("-", ".");
});
return localFirebase + ` functions:delete ${toDelete.join(" ")} -f --project=${projectId}`;
};
var parseFunctionsList = function () {
var triggers = [];
extractTriggers(require(functionsSource), triggers);
return triggers.map((t) => t.name);
};
var getUuid = function () {
return Math.floor(Math.random() * 100000000000).toString();
};
var preTest = async function () {
var dir = tmp.dirSync({ prefix: "fntest_" });
tmpDir = dir.name;
fs.copySync(projectDir, tmpDir);
execSync("npm install", { cwd: tmpDir + "/functions", stdio: "ignore", stderr: "ignore" });
api.setRefreshToken(configstore.get("tokens").refresh_token);
api.setScopes(scopes.CLOUD_PLATFORM);
var accessToken = (await api.getAccessToken()).access_token;
api.setAccessToken(accessToken);
return functionsConfig.getFirebaseConfig({ project: projectId }).then(function (config) {
process.env.GCLOUD_PROJECT = projectId;
process.env.FIREBASE_CONFIG = JSON.stringify(config);
app = firebase.initializeApp(config);
try {
execSync(deleteAllFunctions(), { cwd: tmpDir, stdio: "ignore" });
} catch (e) {
// do nothing
}
});
};
var postTest = function (errored) {
fs.remove(tmpDir);
delete process.env.GCLOUD_PROJECT;
delete process.env.FIREBASE_CONFIG;
// If tests were successful, clean up functions and database. Otherwise, leave them for debugging purposes.
if (!errored) {
try {
execSync(deleteAllFunctions(), { cwd: tmpDir, stdio: "ignore" });
} catch (e) {
// do nothing
}
execSync(`${localFirebase} database:remove / -y --project=${projectId}`, { cwd: tmpDir });
}
console.log("Done post-test cleanup.");
process.exit();
};
var checkFunctionsListMatch = function (expectedFunctions) {
var deployedFunctions;
return cloudfunctions
.listFunctions(projectId, region)
.then(function (result) {
deployedFunctions = (result || []).map((fn) => last(fn.name.split("/")));
expect(_.isEmpty(_.xor(expectedFunctions, deployedFunctions))).to.be.true;
return true;
})
.catch(function (err) {
console.log(clc.red("Deployed functions do not match expected functions"));
console.log("Expected functions are: ", expectedFunctions);
console.log("Deployed functions are: ", deployedFunctions);
return Promise.reject(err);
});
};
var testCreateUpdate = function () {
fs.copySync(functionsSource, tmpDir + "/functions/index.js");
return new Promise(function (resolve) {
exec(`${localFirebase} deploy --project=${projectId}`, { cwd: tmpDir }, function (err, stdout) {
console.log(stdout);
expect(err).to.be.null;
resolve(checkFunctionsListMatch(parseFunctionsList()));
});
});
};
var testCreateUpdateWithFilter = function () {
fs.copySync(functionsSource, tmpDir + "/functions/index.js");
return new Promise(function (resolve) {
exec(
`${localFirebase} deploy --only functions:nested,functions:httpsAction --project=${projectId}`,
{ cwd: tmpDir },
function (err, stdout) {
console.log(stdout);
expect(err).to.be.null;
resolve(checkFunctionsListMatch(["nested-dbAction", "httpsAction"]));
},
);
});
};
var testDelete = function () {
return new Promise(function (resolve) {
exec(deleteAllFunctions(), { cwd: tmpDir }, function (err, stdout) {
console.log(stdout);
expect(err).to.be.null;
resolve(checkFunctionsListMatch([]));
});
});
};
var testDeleteWithFilter = function () {
return new Promise(function (resolve) {
exec(
`${localFirebase} functions:delete nested -f --project=${projectId}`,
{ cwd: tmpDir },
function (err, stdout) {
console.log(stdout);
expect(err).to.be.null;
resolve(checkFunctionsListMatch(["httpsAction"]));
},
);
});
};
var waitForAck = function (uuid, testDescription) {
return Promise.race([
new Promise(function (resolve) {
var ref = firebase.database().ref("output").child(uuid);
var listener = ref.on("value", function (snap) {
if (snap.exists()) {
ref.off("value", listener);
resolve();
}
});
}),
new Promise(function (resolve, reject) {
setTimeout(function () {
reject("Timed out while waiting for output from " + testDescription);
}, TIMEOUT);
}),
]);
};
var writeToDB = function (path) {
var uuid = getUuid();
return app
.database()
.ref(path)
.child(uuid)
.set({ foo: "bar" })
.then(function () {
return Promise.resolve(uuid);
});
};
var sendHttpRequest = function (message) {
const url = new URL(httpsTrigger);
return api
.request("POST", url.pathname, {
data: message,
origin: url.origin,
})
.then(function (resp) {
expect(resp.status).to.equal(200);
expect(resp.body).to.deep.equal(message);
});
};
var publishPubsub = function (topic) {
var uuid = getUuid();
var message = Buffer.from(uuid).toString("base64");
return api
.request("POST", `/v1/projects/${projectId}/topics/${topic}:publish`, {
auth: true,
data: {
messages: [{ data: message }],
},
origin: "https://pubsub.googleapis.com",
})
.then(function (resp) {
expect(resp.status).to.equal(200);
return Promise.resolve(uuid);
});
};
var triggerSchedule = function (job) {
// we can't pass along a uuid thru scheduler to test the full trigger,
// so instead we run the job to make sure that the scheduler job and pub sub topic were created correctly
return api
.request("POST", `/v1/projects/${projectId}/locations/us-central1/jobs/${job}:run`, {
auth: true,
data: {},
origin: "https://cloudscheduler.googleapis.com",
})
.then(function (resp) {
expect(resp.status).to.equal(200);
return Promise.resolve();
});
};
var saveToStorage = function () {
var uuid = getUuid();
var contentLength = Buffer.byteLength(uuid, "utf8");
var resource = ["b", projectId + ".appspot.com", "o"].join("/");
var endpoint = "/upload/storage/v1/" + resource + "?uploadType=media&name=" + uuid;
return api
.request("POST", endpoint, {
auth: true,
headers: {
"Content-Type": "text/plain",
"Content-Length": contentLength,
},
data: uuid,
json: false,
origin: api.googleOrigin,
})
.then(function (resp) {
expect(resp.status).to.equal(200);
return Promise.resolve(uuid);
});
};
var testFunctionsTrigger = function () {
var checkDbAction = writeToDB("input").then(function (uuid) {
return waitForAck(uuid, "database triggered function");
});
var checkNestedDbAction = writeToDB("inputNested").then(function (uuid) {
return waitForAck(uuid, "nested database triggered function");
});
var checkHttpsAction = sendHttpRequest({ message: "hello" });
var checkPubsubAction = publishPubsub("topic1").then(function (uuid) {
return waitForAck(uuid, "pubsub triggered function");
});
var checkGcsAction = saveToStorage().then(function (uuid) {
return waitForAck(uuid, "storage triggered function");
});
var checkScheduleAction = triggerSchedule(
"firebase-schedule-pubsubScheduleAction-us-central1",
).then(function (/* uuid */) {
return true;
});
return Promise.all([
checkDbAction,
checkNestedDbAction,
checkHttpsAction,
checkPubsubAction,
checkGcsAction,
checkScheduleAction,
]);
};
var main = function () {
preTest()
.then(function () {
console.log("Done pretest prep.");
return testCreateUpdate();
})
.then(function () {
console.log(clc.green("\u2713 Test passed: creating functions"));
return testCreateUpdate();
})
.then(function () {
console.log(clc.green("\u2713 Test passed: updating functions"));
return testFunctionsTrigger();
})
.then(function () {
console.log(clc.green("\u2713 Test passed: triggering functions"));
return testDelete();
})
.then(function () {
console.log(clc.green("\u2713 Test passed: deleting functions"));
return testCreateUpdateWithFilter();
})
.then(function () {
console.log(clc.green("\u2713 Test passed: creating functions with filters"));
return testDeleteWithFilter();
})
.then(function () {
console.log(
clc.green("\u2713 Test passed: threw warning when passing filter with unknown identifier"),
);
})
.catch(function (err) {
console.log(clc.red("Error while running tests: "), err);
return Promise.resolve(err);
})
.then(function (err) {
postTest(!!err);
});
};
main();