automation_model 1.0.782-dev → 1.0.782-stage

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
package/lib/route.js CHANGED
@@ -2,306 +2,568 @@ import fs from "fs/promises";
2
2
  import path from "path";
3
3
  import objectPath from "object-path";
4
4
  import { tmpdir } from "os";
5
- async function loadRoutes(context) {
6
- if (context.loadedRoutes !== null)
7
- return context.loadedRoutes;
5
+ import createDebug from "debug";
6
+ import { existsSync } from "fs";
7
+ import { replaceWithLocalTestData } from "./utils.js";
8
+ const debug = createDebug("automation_model:route");
9
+ async function loadRoutes(context, template) {
10
+ if (context.loadedRoutes instanceof Map && context.loadedRoutes.has(template)) {
11
+ return context.loadedRoutes.get(template) || [];
12
+ }
8
13
  try {
9
14
  let dir = path.join(process.cwd(), "data", "routes");
10
15
  if (process.env.TEMP_RUN === "true") {
11
16
  dir = path.join(tmpdir(), "blinq_temp_routes");
12
17
  }
13
18
  if (!(await folderExists(dir))) {
14
- context.loadedRoutes = [];
15
- return context.loadedRoutes;
19
+ context.loadedRoutes = new Map();
20
+ context.loadedRoutes.set(template, []);
21
+ return context.loadedRoutes.get(template) || [];
16
22
  }
17
23
  const files = await fs.readdir(dir);
18
24
  const jsonFiles = files.filter((f) => f.endsWith(".json"));
19
- const allRoutes = [];
25
+ const allRoutes = new Map();
20
26
  for (const file of jsonFiles) {
21
- const content = await fs.readFile(path.join(dir, file), "utf-8");
22
- const routeObj = JSON.parse(content);
23
- allRoutes.push(routeObj);
27
+ let content = await fs.readFile(path.join(dir, file), "utf-8");
28
+ try {
29
+ const routeObj = JSON.parse(content);
30
+ const template = routeObj.template;
31
+ if (!allRoutes.has(template)) {
32
+ allRoutes.set(template, []);
33
+ }
34
+ allRoutes.get(template)?.push(routeObj);
35
+ }
36
+ catch (error) {
37
+ debug("Error parsing route file:", error);
38
+ continue;
39
+ }
24
40
  }
25
41
  context.loadedRoutes = allRoutes;
26
- console.log(`Loaded ${allRoutes.length} route definitions from ${dir}`);
42
+ debug(`Loaded ${allRoutes.size} route definitions from ${dir}`);
27
43
  }
28
44
  catch (error) {
29
45
  console.error("Error loading routes:", error);
30
- context.loadedRoutes = [];
46
+ context.loadedRoutes = new Map();
31
47
  }
32
- return context.loadedRoutes;
48
+ return context.loadedRoutes.get(template) || [];
49
+ }
50
+ export function pathFilter(savedPath, actualPath) {
51
+ if (typeof savedPath !== "string")
52
+ return false;
53
+ if (savedPath.includes("*")) {
54
+ // Escape regex special characters in savedPath
55
+ const escapedPath = savedPath.replace(/[.+?^${}()|[\]\\]/g, "\\$&");
56
+ // Treat it as a wildcard
57
+ const regex = new RegExp(escapedPath.replace(/\*/g, ".*"));
58
+ return regex.test(actualPath);
59
+ }
60
+ else {
61
+ return savedPath === actualPath;
62
+ }
63
+ }
64
+ export function queryParamsFilter(savedQueryParams, actualQueryParams) {
65
+ if (!savedQueryParams)
66
+ return true;
67
+ for (const [key, value] of Object.entries(savedQueryParams)) {
68
+ if (value === "*") {
69
+ // If the saved query param is a wildcard, it matches anything
70
+ continue;
71
+ }
72
+ if (actualQueryParams.get(key) !== value) {
73
+ return false;
74
+ }
75
+ }
76
+ return true;
77
+ }
78
+ export function methodFilter(savedMethod, actualMethod) {
79
+ if (!savedMethod)
80
+ return true;
81
+ if (savedMethod === "*") {
82
+ const httpMethodRegex = /^(GET|POST|PUT|DELETE|PATCH|OPTIONS|HEAD)$/;
83
+ return httpMethodRegex.test(actualMethod);
84
+ }
85
+ return savedMethod === actualMethod;
33
86
  }
34
87
  function matchRoute(routeItem, req) {
88
+ const debug = createDebug("automation_model:route:matchRoute");
35
89
  const url = new URL(req.request().url());
36
- const methodMatch = !routeItem.filters.method || routeItem.filters.method === req.request().method();
37
- const pathMatch = routeItem.filters.path === url.pathname;
38
90
  const queryParams = routeItem.filters.queryParams;
39
- const queryMatch = !queryParams || Object.entries(queryParams).every(([key, value]) => url.searchParams.get(key) === value);
40
- return methodMatch && pathMatch && queryMatch;
91
+ const methodMatch = methodFilter(routeItem.filters.method, req.request().method());
92
+ const pathMatch = pathFilter(routeItem.filters.path, url.pathname);
93
+ debug("Path match", pathMatch, routeItem.filters.path, url.pathname);
94
+ const queryParamsMatch = queryParamsFilter(queryParams, url.searchParams);
95
+ return methodMatch && pathMatch && queryParamsMatch;
96
+ }
97
+ function handleAbortRequest(action, context) {
98
+ if (context.tracking.timer)
99
+ clearTimeout(context.tracking.timer);
100
+ const errorCode = action.config?.errorCode ?? "failed";
101
+ console.log(`[abort_request] Aborting with error code: ${errorCode}`);
102
+ context.route.abort(errorCode);
103
+ context.abortActionPerformed = true;
104
+ context.tracking.completed = true;
105
+ return {
106
+ type: action.type,
107
+ description: JSON.stringify(action.config),
108
+ status: "success",
109
+ message: `Request aborted with code: ${errorCode}`,
110
+ };
111
+ }
112
+ function handleStatusCodeVerification(action, context) {
113
+ const isSuccess = String(context.status) === String(action.config);
114
+ return {
115
+ type: action.type,
116
+ description: JSON.stringify(action.config),
117
+ status: isSuccess ? "success" : "fail",
118
+ message: `Status code verification ${isSuccess ? "passed" : "failed"}. Expected ${action.config}, got ${context.status}`,
119
+ };
120
+ }
121
+ function handleJsonModify(action, context) {
122
+ if (!context.json) {
123
+ return {
124
+ type: action.type,
125
+ description: JSON.stringify(action.config),
126
+ status: "fail",
127
+ message: "JSON modification failed. Response is not JSON",
128
+ };
129
+ }
130
+ objectPath.set(context.json, action.config.path, action.config.modifyValue);
131
+ context.finalBody = JSON.parse(JSON.stringify(context.json));
132
+ return {
133
+ type: action.type,
134
+ description: JSON.stringify(action.config),
135
+ status: "success",
136
+ message: `JSON modified at path '${action.config.path}'`,
137
+ };
138
+ }
139
+ function handleJsonWholeModify(action, context) {
140
+ if (!context.json) {
141
+ return {
142
+ type: action.type,
143
+ description: JSON.stringify(action.config),
144
+ status: "fail",
145
+ message: "JSON modification failed. Response is not JSON",
146
+ };
147
+ }
148
+ try {
149
+ const parsedConfig = typeof action.config === "string" ? JSON.parse(action.config) : action.config;
150
+ context.json = parsedConfig;
151
+ context.finalBody = JSON.parse(JSON.stringify(context.json));
152
+ return {
153
+ type: action.type,
154
+ description: JSON.stringify(action.config),
155
+ status: "success",
156
+ message: "Whole JSON body was replaced.",
157
+ };
158
+ }
159
+ catch (e) {
160
+ const message = `JSON modification failed. Invalid JSON in config: ${e instanceof Error ? e.message : String(e)}`;
161
+ return { type: action.type, description: JSON.stringify(action.config), status: "fail", message };
162
+ }
163
+ }
164
+ function handleStatusCodeChange(action, context) {
165
+ context.status = Number(action.config);
166
+ return {
167
+ type: action.type,
168
+ description: JSON.stringify(action.config),
169
+ status: "success",
170
+ message: `Status code changed to ${context.status}`,
171
+ };
172
+ }
173
+ function handleChangeText(action, context) {
174
+ if (context.isBinary) {
175
+ return {
176
+ type: action.type,
177
+ description: JSON.stringify(action.config),
178
+ status: "fail",
179
+ message: "Change text action failed. Body is not text.",
180
+ };
181
+ }
182
+ context.body = action.config;
183
+ context.finalBody = context.body;
184
+ return {
185
+ type: action.type,
186
+ description: JSON.stringify(action.config),
187
+ status: "success",
188
+ message: "Response body text was replaced.",
189
+ };
190
+ }
191
+ function handleAssertJson(action, context) {
192
+ if (!context.json) {
193
+ return {
194
+ type: action.type,
195
+ description: JSON.stringify(action.config),
196
+ status: "fail",
197
+ message: "JSON assertion failed. Response is not JSON.",
198
+ };
199
+ }
200
+ const actual = objectPath.get(context.json, action.config.path);
201
+ const expected = action.config.expectedValue;
202
+ const isSuccess = JSON.stringify(actual) === JSON.stringify(expected);
203
+ return {
204
+ type: action.type,
205
+ description: JSON.stringify(action.config),
206
+ status: isSuccess ? "success" : "fail",
207
+ message: isSuccess
208
+ ? `JSON assertion passed for path '${action.config.path}'.`
209
+ : `JSON assertion failed for path '${action.config.path}': expected ${JSON.stringify(expected)}, got ${JSON.stringify(actual)}`,
210
+ };
211
+ }
212
+ function handleAssertWholeJson(action, context) {
213
+ if (!context.json) {
214
+ return {
215
+ type: action.type,
216
+ description: JSON.stringify(action.config),
217
+ status: "fail",
218
+ message: "Whole JSON assertion failed. Response is not JSON.",
219
+ };
220
+ }
221
+ const originalJSON = JSON.stringify(context.json, null, 2);
222
+ let isSuccess = false;
223
+ let message = "";
224
+ if ("contains" in action.config) {
225
+ isSuccess = originalJSON.includes(action.config.contains);
226
+ message = isSuccess
227
+ ? "Whole JSON assertion passed."
228
+ : `Whole JSON assertion failed. Expected to contain: "${action.config.contains}".`;
229
+ }
230
+ else {
231
+ isSuccess = originalJSON === action.config.equals;
232
+ message = isSuccess
233
+ ? "Whole JSON assertion passed."
234
+ : `Whole JSON assertion failed. Expected exact match: "${action.config.equals}".`;
235
+ }
236
+ return {
237
+ type: action.type,
238
+ description: JSON.stringify(action.config),
239
+ status: isSuccess ? "success" : "fail",
240
+ message,
241
+ };
242
+ }
243
+ function handleAssertText(action, context) {
244
+ if (typeof context.body !== "string") {
245
+ return {
246
+ type: action.type,
247
+ description: JSON.stringify(action.config),
248
+ status: "fail",
249
+ message: "Text assertion failed. Body is not text.",
250
+ };
251
+ }
252
+ let isSuccess = false;
253
+ let message = "";
254
+ if ("contains" in action.config) {
255
+ isSuccess = context.body.includes(action.config.contains);
256
+ message = isSuccess
257
+ ? "Text assertion passed."
258
+ : `Text assertion failed. Expected to contain: "${action.config.contains}".`;
259
+ }
260
+ else {
261
+ isSuccess = context.body === action.config.equals;
262
+ message = isSuccess
263
+ ? "Text assertion passed."
264
+ : `Text assertion failed. Expected exact match: "${action.config.equals}".`;
265
+ }
266
+ return {
267
+ type: action.type,
268
+ description: JSON.stringify(action.config),
269
+ status: isSuccess ? "success" : "fail",
270
+ message,
271
+ };
272
+ }
273
+ function handleStubAction(stubAction, route, tracking) {
274
+ let actionStatus = "success";
275
+ const description = JSON.stringify(stubAction.config);
276
+ const request = route.request();
277
+ let stubActionPerformed = false;
278
+ debug(`Stub action found for ${request.url()}. Skipping fetch.`);
279
+ if (tracking.timer)
280
+ clearTimeout(tracking.timer);
281
+ const fullFillConfig = {};
282
+ if (!tracking.actionResults)
283
+ tracking.actionResults = [];
284
+ if (stubAction.config.path) {
285
+ const filePath = path.join(process.cwd(), "data", "fixtures", stubAction.config.path);
286
+ debug(`Stub action file path: ${filePath}`);
287
+ if (existsSync(filePath)) {
288
+ fullFillConfig.path = filePath;
289
+ debug(`Stub action fulfilled with file: ${filePath}`);
290
+ }
291
+ else {
292
+ actionStatus = "fail";
293
+ tracking.actionResults.push({
294
+ type: "stub_request",
295
+ description,
296
+ status: actionStatus,
297
+ message: `Stub action failed for ${tracking.url}: File not found at ${filePath}`,
298
+ });
299
+ stubActionPerformed = true;
300
+ }
301
+ }
302
+ if (!fullFillConfig.path) {
303
+ if (stubAction.config.statusCode) {
304
+ fullFillConfig.status = Number(stubAction.config.statusCode);
305
+ }
306
+ if (stubAction.config.contentType) {
307
+ if (stubAction.config.contentType === "application/json") {
308
+ fullFillConfig.contentType = "application/json";
309
+ if (stubAction.config.body) {
310
+ try {
311
+ fullFillConfig.json = JSON.parse(stubAction.config.body);
312
+ }
313
+ catch (e) {
314
+ debug(`Invalid JSON in stub action body: ${stubAction.config.body}, `, e instanceof Error ? e.message : String(e));
315
+ debug("Invalid JSON, defaulting to empty object");
316
+ fullFillConfig.json = {};
317
+ }
318
+ }
319
+ }
320
+ else {
321
+ fullFillConfig.contentType = stubAction.config.contentType;
322
+ fullFillConfig.body = stubAction.config.body || "";
323
+ }
324
+ }
325
+ if (!fullFillConfig.json && !fullFillConfig.body) {
326
+ if (stubAction.config.body) {
327
+ fullFillConfig.body = stubAction.config.body;
328
+ }
329
+ }
330
+ }
331
+ if (actionStatus === "success") {
332
+ try {
333
+ route.fulfill(fullFillConfig);
334
+ stubActionPerformed = true;
335
+ tracking.completed = true;
336
+ tracking.actionResults.push({
337
+ type: "stub_request",
338
+ description,
339
+ status: actionStatus,
340
+ message: `Stub action executed for ${request.url()}`,
341
+ });
342
+ }
343
+ catch (e) {
344
+ actionStatus = "fail";
345
+ debug(`Failed to fulfill stub request for ${request.url()}`, e);
346
+ tracking.actionResults.push({
347
+ type: "stub_request",
348
+ description,
349
+ status: actionStatus,
350
+ message: `Stub action failed for ${request.url()}: ${e instanceof Error ? e.message : String(e)}`,
351
+ });
352
+ }
353
+ }
354
+ return stubActionPerformed;
41
355
  }
42
- let debug = false;
43
356
  export async function registerBeforeStepRoutes(context, stepName, world) {
357
+ const debug = createDebug("automation_model:route:registerBeforeStepRoutes");
44
358
  const page = context.web.page;
45
359
  if (!page)
46
360
  throw new Error("context.web.page is missing");
47
361
  const stepTemplate = _stepNameToTemplate(stepName);
48
- const routes = await loadRoutes(context);
49
- const matchedRouteDefs = routes.filter((r) => r.template === stepTemplate);
50
- const allRouteItems = matchedRouteDefs.flatMap((r) => r.routes);
362
+ debug("stepTemplate", stepTemplate);
363
+ const routes = await loadRoutes(context, stepTemplate);
364
+ debug("Routes", routes);
365
+ const allRouteItems = routes.flatMap((r) => r.routes);
366
+ debug("All route items", allRouteItems);
51
367
  if (!context.__routeState) {
52
368
  context.__routeState = { matched: [] };
53
369
  }
54
- // Pre-register all mandatory routes
55
- for (const item of allRouteItems) {
370
+ for (let i = 0; i < allRouteItems.length; i++) {
371
+ let item = allRouteItems[i];
372
+ debug(`Setting up mandatory route with timeout ${item.timeout}ms: ${JSON.stringify(item.filters)}`);
373
+ let content = JSON.stringify(item);
374
+ try {
375
+ content = await replaceWithLocalTestData(content, context.web.world, true, false, content, context.web, false);
376
+ allRouteItems[i] = JSON.parse(content); // Modify the original array
377
+ item = allRouteItems[i];
378
+ debug(`After replacing test data: ${JSON.stringify(allRouteItems[i])}`);
379
+ }
380
+ catch (error) {
381
+ debug("Error replacing test data:", error);
382
+ }
56
383
  if (item.mandatory) {
384
+ const path = item.filters.path;
385
+ const queryParams = Object.entries(item.filters.queryParams || {})
386
+ .map(([key, value]) => `${key}=${value}`)
387
+ .join("&");
57
388
  const tracking = {
58
389
  routeItem: item,
59
- url: "",
390
+ url: `${path}${queryParams ? `?${queryParams}` : ""}`,
60
391
  completed: false,
61
392
  startedAt: Date.now(),
62
393
  actionResults: [],
63
394
  };
64
- // tracking.timer = setTimeout(() => {
65
- // if (!tracking.completed) {
66
- // console.error(`[MANDATORY] Request to ${item.filters.path} did not complete within ${item.timeout}ms`);
67
- // }
68
- // }, item.timeout);
69
395
  context.__routeState.matched.push(tracking);
70
396
  }
71
397
  }
72
- let errorEncountered = null;
73
- page.route("**/*", async (route) => {
74
- const request = route.request();
75
- // print the url if debug is enabled
76
- if (debug) {
77
- console.log(`Intercepting request: ${request.method()} ${request.url()}`);
78
- }
79
- const matchedItem = allRouteItems.find((item) => matchRoute(item, route));
80
- if (debug) {
81
- console.log("Matched route item:", matchedItem);
82
- }
83
- if (!matchedItem)
84
- return route.continue();
85
- if (debug) {
86
- console.log(`Matched route item: ${JSON.stringify(matchedItem)}`);
87
- }
88
- // Find pre-registered tracker
89
- let tracking = context.__routeState.matched.find((t) => t.routeItem === matchedItem && !t.completed);
90
- // If not mandatory, register dynamically
91
- if (!tracking) {
92
- tracking = {
93
- routeItem: matchedItem,
94
- url: request.url(),
95
- completed: false,
96
- startedAt: Date.now(),
97
- actionResults: [],
98
- };
99
- context.__routeState.matched.push(tracking);
100
- }
101
- else {
102
- tracking.url = request.url();
103
- }
104
- let response;
105
- try {
106
- response = await route.fetch();
107
- }
108
- catch (e) {
109
- console.error("Fetch failed for", request.url(), e);
110
- if (tracking?.timer)
111
- clearTimeout(tracking.timer);
112
- return route.abort();
113
- }
114
- let status = response.status();
115
- let headers = response.headers();
116
- const isBinary = !headers["content-type"]?.includes("application/json") && !headers["content-type"]?.includes("text");
117
- let body;
118
- if (isBinary) {
119
- body = await response.body(); // returns a Buffer
120
- }
121
- else {
122
- body = await response.text();
123
- }
124
- let json;
125
- try {
126
- // check if the body is string
127
- if (typeof body === "string") {
128
- json = JSON.parse(body);
398
+ debug("New allrouteItems", JSON.stringify(allRouteItems));
399
+ let message = null;
400
+ try {
401
+ page.route("**/*", async (route) => {
402
+ const debug = createDebug("automation_model:route:intercept");
403
+ const request = route.request();
404
+ debug(`Intercepting request: ${request.method()} ${request.url()}`);
405
+ debug("All route items", allRouteItems);
406
+ const matchedItem = allRouteItems.find((item) => matchRoute(item, route));
407
+ if (!matchedItem)
408
+ return route.continue();
409
+ debug(`Matched route item: ${JSON.stringify(matchedItem)}`);
410
+ debug("Initial context route state", JSON.stringify(context.__routeState, null, 2));
411
+ let tracking = context.__routeState.matched.find((t) => JSON.stringify(t.routeItem) === JSON.stringify(matchedItem) && !t.completed);
412
+ debug("Tracking", tracking);
413
+ let stubActionPerformed = false;
414
+ if (!tracking) {
415
+ debug("Tracking not found, creating tracking");
416
+ tracking = {
417
+ routeItem: matchedItem,
418
+ url: request.url(),
419
+ completed: false,
420
+ startedAt: Date.now(),
421
+ actionResults: [],
422
+ };
423
+ debug("Created tracking", tracking);
424
+ context.__routeState.matched.push(tracking);
425
+ debug("Current route state", context.__routeState);
129
426
  }
130
- }
131
- catch (_) { }
132
- const actionResults = [];
133
- let abortActionPerformed = false;
134
- for (const action of matchedItem.actions) {
135
- let actionStatus = "success";
136
- const description = JSON.stringify(action.config);
137
- switch (action.type) {
138
- case "abort_request":
427
+ else {
428
+ tracking.url = request.url();
429
+ debug("Updating tracking", tracking);
430
+ }
431
+ const stubAction = matchedItem.actions.find((a) => a.type === "stub_request");
432
+ if (stubAction) {
433
+ stubActionPerformed = handleStubAction(stubAction, route, tracking);
434
+ }
435
+ if (!stubActionPerformed) {
436
+ let response;
437
+ try {
438
+ response = await route.fetch();
439
+ }
440
+ catch (e) {
441
+ console.error("Fetch failed for", request.url(), e);
139
442
  if (tracking?.timer)
140
443
  clearTimeout(tracking.timer);
141
- const errorCode = action.config?.errorCode ?? "failed";
142
- console.log(`[abort_request] Aborting with error code: ${errorCode}`);
143
- await route.abort(errorCode);
144
- abortActionPerformed = true;
145
- tracking.completed = true;
146
- break;
147
- case "status_code_verification":
148
- if (String(status) !== String(action.config)) {
149
- // console.error(`[status_code_verification] Expected ${action.config}, got ${status}`);
150
- actionStatus = "fail";
151
- tracking.actionResults = actionResults;
152
- if (errorEncountered === null) {
153
- errorEncountered = `Status code verification failed. Expected ${action.config}, got ${status}`;
154
- }
155
- // throw new Error("Status code verification failed");
156
- }
157
- else {
158
- console.log(`[status_code_verification] Passed`);
159
- }
160
- break;
161
- case "json_modify":
162
- if (!json) {
163
- // console.error(`[json_modify] Response is not JSON`);
164
- actionStatus = "fail";
165
- tracking.actionResults = actionResults;
166
- if (errorEncountered === null) {
167
- errorEncountered = "JSON modification failed. Response is not JSON";
168
- }
169
- // throw new Error("JSON modification failed. Response is not JSON");
170
- }
171
- else {
172
- for (const mod of action.config) {
173
- objectPath.set(json, mod.path, mod.value);
174
- console.log(`[json_modify] Modified path ${mod.path} to ${mod.value}`);
175
- }
176
- console.log(`[json_modify] Modified JSON`);
177
- }
178
- break;
179
- case "status_code_change":
180
- status = Number(action.config);
181
- console.log(`[status_code_change] Status changed to ${status}`);
182
- break;
183
- case "change_text":
184
- if (!headers["content-type"]?.includes("text/html")) {
185
- // console.error(`[change_text] Content-Type is not text/html`);
186
- actionStatus = "fail";
187
- tracking.actionResults = actionResults;
188
- if (errorEncountered === null) {
189
- errorEncountered = "Change text action failed. Content-Type is not text/html";
190
- }
191
- // throw new Error("Change text action failed. Content-Type is not text/html");
192
- }
193
- else {
194
- body = action.config;
195
- console.log(`[change_text] HTML body replaced`);
196
- }
197
- break;
198
- case "assert_json":
199
- if (!json) {
200
- // console.error(`[assert_json] Response is not JSON`);
201
- actionStatus = "fail";
202
- tracking.actionResults = actionResults;
203
- if (errorEncountered === null) {
204
- errorEncountered = "JSON assertion failed. Response is not JSON";
205
- }
206
- // throw new Error("JSON assertion failed. Response is not JSON");
207
- }
208
- else {
209
- for (const check of action.config) {
210
- const actual = getValue(json, check.path);
211
- const expected = check.expected;
212
- if (JSON.stringify(actual) !== JSON.stringify(expected)) {
213
- // console.error(`[assert_json] Path ${check.path}: expected ${expected}, got ${actual}`);
214
- actionStatus = "fail";
215
- tracking.actionResults = actionResults;
216
- if (errorEncountered === null) {
217
- errorEncountered = `JSON assertion failed for path ${check.path}: expected ${expected}, got ${actual}`;
218
- }
219
- // throw new Error(`JSON assertion failed for path ${check.path}: expected ${expected}, got ${actual}`);
220
- }
221
- else {
222
- console.log(`[assert_json] Assertion passed for path ${check.path}`);
223
- }
224
- }
225
- }
226
- break;
227
- case "assert_text":
228
- if (typeof body !== "string") {
229
- console.error(`[assert_text] Body is not text`);
230
- actionStatus = "fail";
231
- tracking.actionResults = actionResults;
232
- if (errorEncountered === null) {
233
- errorEncountered = "Text assertion failed. Body is not text";
234
- }
235
- // throw new Error("Text assertion failed. Body is not text");
444
+ return route.abort();
445
+ }
446
+ const headers = response.headers();
447
+ const isBinary = !headers["content-type"]?.includes("application/json") && !headers["content-type"]?.includes("text");
448
+ const body = isBinary ? await response.body() : await response.text();
449
+ let json;
450
+ try {
451
+ if (typeof body === "string")
452
+ json = JSON.parse(body);
453
+ }
454
+ catch (_) { }
455
+ const actionHandlerContext = {
456
+ route,
457
+ tracking,
458
+ status: response.status(),
459
+ body,
460
+ json,
461
+ isBinary,
462
+ finalBody: json ?? body,
463
+ abortActionPerformed: false,
464
+ };
465
+ const actionResults = [];
466
+ for (const action of matchedItem.actions) {
467
+ let result;
468
+ switch (action.type) {
469
+ case "abort_request":
470
+ result = handleAbortRequest(action, actionHandlerContext);
471
+ break;
472
+ case "status_code_verification":
473
+ result = handleStatusCodeVerification(action, actionHandlerContext);
474
+ break;
475
+ case "json_modify":
476
+ result = handleJsonModify(action, actionHandlerContext);
477
+ break;
478
+ case "json_whole_modify":
479
+ result = handleJsonWholeModify(action, actionHandlerContext);
480
+ break;
481
+ case "status_code_change":
482
+ result = handleStatusCodeChange(action, actionHandlerContext);
483
+ break;
484
+ case "change_text":
485
+ result = handleChangeText(action, actionHandlerContext);
486
+ break;
487
+ case "assert_json":
488
+ result = handleAssertJson(action, actionHandlerContext);
489
+ break;
490
+ case "assert_whole_json":
491
+ result = handleAssertWholeJson(action, actionHandlerContext);
492
+ break;
493
+ case "assert_text":
494
+ result = handleAssertText(action, actionHandlerContext);
495
+ break;
496
+ default:
497
+ console.warn(`Unknown action type`);
236
498
  }
237
- else {
238
- if (action.config.contains && !body.includes(action.config.contains)) {
239
- // console.error(`[assert_text] Expected to contain: "${action.config.contains}"`);
240
- actionStatus = "fail";
241
- tracking.actionResults = actionResults;
242
- if (errorEncountered === null) {
243
- errorEncountered = `Text assertion failed. Expected to contain: "${action.config.contains}", actual: "${body}"`;
244
- }
245
- // throw new Error( `Text assertion failed. Expected to contain: "${action.config.contains}", actual: "${body}"`);
246
- }
247
- else if (action.config.equals && body !== action.config.equals) {
248
- // console.error(`[assert_text] Expected exact match`);
249
- actionStatus = "fail";
250
- tracking.actionResults = actionResults;
251
- if (errorEncountered === null) {
252
- errorEncountered = `Text assertion failed. Expected exact match: "${action.config.equals}", actual: "${body}"`;
253
- }
254
- // throw new Error(`Text assertion failed. Expected exact match: "${action.config.equals}", actual: "${body}"`);
499
+ if (result)
500
+ actionResults.push(result);
501
+ }
502
+ tracking.completed = true;
503
+ tracking.actionResults = actionResults;
504
+ if (tracking.timer)
505
+ clearTimeout(tracking.timer);
506
+ if (!actionHandlerContext.abortActionPerformed) {
507
+ try {
508
+ const isJSON = headers["content-type"]?.includes("application/json");
509
+ if (isJSON) {
510
+ await route.fulfill({
511
+ status: actionHandlerContext.status,
512
+ json: actionHandlerContext.finalBody,
513
+ headers,
514
+ });
255
515
  }
256
516
  else {
257
- console.log(`[assert_text] Assertion passed`);
517
+ await route.fulfill({
518
+ status: actionHandlerContext.status,
519
+ body: actionHandlerContext.finalBody,
520
+ headers,
521
+ });
258
522
  }
259
523
  }
260
- break;
261
- default:
262
- console.warn(`Unknown action type: ${action.type}`);
524
+ catch (e) {
525
+ console.error("Failed to fulfill route:", e);
526
+ }
527
+ }
263
528
  }
264
- actionResults.push({ type: action.type, description, status: actionStatus });
265
- }
266
- tracking.completed = true;
267
- tracking.actionResults = actionResults;
268
- if (tracking.timer)
269
- clearTimeout(tracking.timer);
270
- const responseBody = isBinary ? body : json ? JSON.stringify(json) : body;
271
- if (!abortActionPerformed) {
272
- await route.fulfill({ status, body: responseBody, headers });
273
- }
274
- });
275
- if (errorEncountered !== null) {
276
- await registerAfterStepRoutes(context, world);
277
- throw new Error(errorEncountered);
529
+ });
530
+ }
531
+ catch (error) {
532
+ console.log(JSON.stringify(error));
278
533
  }
279
534
  }
280
535
  export async function registerAfterStepRoutes(context, world) {
281
536
  const state = context.__routeState;
537
+ debug("state in afterStepRoutes", JSON.stringify(state));
282
538
  if (!state)
283
539
  return [];
284
540
  const mandatoryRoutes = state.matched.filter((tracked) => tracked.routeItem.mandatory);
541
+ debug("mandatoryRoutes in afterStepRoutes", mandatoryRoutes);
285
542
  if (mandatoryRoutes.length === 0) {
286
543
  context.__routeState = null;
287
544
  return [];
288
545
  }
289
546
  const maxTimeout = Math.max(...mandatoryRoutes.map((r) => r.routeItem.timeout));
290
547
  const startTime = Date.now();
291
- let errorEncountered = false;
548
+ const mandatoryRouteReached = mandatoryRoutes.map((r) => true);
549
+ debug("mandatoryRouteReached initialized to", mandatoryRouteReached);
292
550
  await new Promise((resolve) => {
293
551
  const interval = setInterval(() => {
294
552
  const now = Date.now();
295
553
  const allCompleted = mandatoryRoutes.every((r) => r.completed);
554
+ debug("allCompleted in afterStepRoutes", allCompleted);
296
555
  const allTimedOut = mandatoryRoutes.every((r) => r.completed || now - startTime >= r.routeItem.timeout);
556
+ debug("allTimedOut in afterStepRoutes", allTimedOut);
297
557
  for (const r of mandatoryRoutes) {
298
558
  const elapsed = now - startTime;
559
+ // debug(`Elapsed time for route ${r.url}: ${elapsed}ms`);
299
560
  if (!r.completed && elapsed >= r.routeItem.timeout) {
300
- console.error(`[MANDATORY] Request to ${r.routeItem.filters.path} did not complete within ${r.routeItem.timeout}ms (elapsed: ${elapsed})`);
301
- // throw new Error(`Mandatory route ${r.routeItem.filters.path} timed out after ${r.routeItem.timeout}ms`);
561
+ mandatoryRouteReached[mandatoryRoutes.indexOf(r)] = false;
562
+ debug(`Route ${r.url} timed out after ${elapsed}ms`);
302
563
  }
303
564
  }
304
565
  if (allCompleted || allTimedOut) {
566
+ debug("allCompleted", allCompleted, "allTimedOut", allTimedOut);
305
567
  clearInterval(interval);
306
568
  resolve();
307
569
  }
@@ -309,6 +571,11 @@ export async function registerAfterStepRoutes(context, world) {
309
571
  });
310
572
  context.results = mandatoryRoutes.map((tracked) => {
311
573
  const { routeItem, url, completed, actionResults = [] } = tracked;
574
+ debug("tracked in afterStepRoutes", {
575
+ url,
576
+ completed,
577
+ actionResults,
578
+ });
312
579
  const actions = actionResults.map((ar) => {
313
580
  let status = ar.status;
314
581
  if (!completed)
@@ -317,15 +584,16 @@ export async function registerAfterStepRoutes(context, world) {
317
584
  type: ar.type,
318
585
  description: ar.description,
319
586
  status,
587
+ message: ar.message || null,
320
588
  };
321
589
  });
590
+ debug("actions in afterStepRoutes", actions);
322
591
  let overallStatus;
323
592
  if (!completed) {
324
593
  overallStatus = "timeout";
325
594
  }
326
595
  else if (actions.some((a) => a.status === "fail")) {
327
596
  overallStatus = "fail";
328
- errorEncountered = true;
329
597
  }
330
598
  else {
331
599
  overallStatus = "success";
@@ -349,9 +617,24 @@ export async function registerAfterStepRoutes(context, world) {
349
617
  await world.attach(JSON.stringify(context.results), "application/json+intercept-results");
350
618
  }
351
619
  }
620
+ const hasFailed = context.results.some((r) => r.overallStatus === "fail" || r.overallStatus === "timeout");
621
+ if (hasFailed) {
622
+ const errorMessage = context.results
623
+ .filter((r) => r.overallStatus === "fail" || r.overallStatus === "timeout")
624
+ .map((r) => `Route to ${r.url} failed with status: ${r.overallStatus}`)
625
+ .join("\n");
626
+ throw new Error(`Route verification failed:\n${errorMessage}`);
627
+ }
628
+ const hasTimedOut = context.results.some((r) => r.overallStatus === "timeout");
629
+ if (hasTimedOut) {
630
+ const timeoutMessage = context.results
631
+ .filter((r) => r.overallStatus === "timeout")
632
+ .map((r) => `Mandatory Route to ${r.url} timed out after ${r.actions[0]?.description}`)
633
+ .join("\n");
634
+ throw new Error(`Mandatory Route verification timed out:\n${timeoutMessage}`);
635
+ }
352
636
  return context.results;
353
637
  }
354
- // Helper functions
355
638
  const toCucumberExpression = (text) => text.replaceAll("/", "\\\\/").replaceAll("(", "\\\\(").replaceAll("{", "\\\\{");
356
639
  function extractQuotedText(inputString) {
357
640
  const regex = /("[^"]*")/g;