flakiness 0.0.0 → 0.147.0
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/LICENSE +45 -0
- package/README.md +30 -0
- package/lib/cli/cli.js +1980 -0
- package/lib/cli/cmd-convert.js +421 -0
- package/lib/cli/cmd-download.js +42 -0
- package/lib/cli/cmd-link.js +21 -0
- package/lib/cli/cmd-login.js +223 -0
- package/lib/cli/cmd-logout.js +170 -0
- package/lib/cli/cmd-status.js +181 -0
- package/lib/cli/cmd-unlink.js +13 -0
- package/lib/cli/cmd-upload-playwright-json.js +463 -0
- package/lib/cli/cmd-upload.js +169 -0
- package/lib/cli/cmd-whoami.js +173 -0
- package/lib/flakinessSession.js +159 -0
- package/lib/junit.js +310 -0
- package/lib/playwrightJSONReport.js +429 -0
- package/lib/serverapi.js +111 -0
- package/lib/utils.js +374 -0
- package/package.json +41 -6
- package/types/tsconfig.tsbuildinfo +1 -0
- package/index.js +0 -0
package/lib/utils.js
ADDED
|
@@ -0,0 +1,374 @@
|
|
|
1
|
+
// src/utils.ts
|
|
2
|
+
import { ReportUtils } from "@flakiness/sdk";
|
|
3
|
+
import assert from "assert";
|
|
4
|
+
import { spawnSync } from "child_process";
|
|
5
|
+
import crypto from "crypto";
|
|
6
|
+
import fs from "fs";
|
|
7
|
+
import http from "http";
|
|
8
|
+
import https from "https";
|
|
9
|
+
import os from "os";
|
|
10
|
+
import path, { posix as posixPath, win32 as win32Path } from "path";
|
|
11
|
+
async function existsAsync(aPath) {
|
|
12
|
+
return fs.promises.stat(aPath).then(() => true).catch((e) => false);
|
|
13
|
+
}
|
|
14
|
+
function extractEnvConfiguration() {
|
|
15
|
+
const ENV_PREFIX = "FK_ENV_";
|
|
16
|
+
return Object.fromEntries(
|
|
17
|
+
Object.entries(process.env).filter(([key]) => key.toUpperCase().startsWith(ENV_PREFIX.toUpperCase())).map(([key, value]) => [key.substring(ENV_PREFIX.length).toLowerCase(), (value ?? "").trim().toLowerCase()])
|
|
18
|
+
);
|
|
19
|
+
}
|
|
20
|
+
function sha1File(filePath) {
|
|
21
|
+
return new Promise((resolve, reject) => {
|
|
22
|
+
const hash = crypto.createHash("sha1");
|
|
23
|
+
const stream = fs.createReadStream(filePath);
|
|
24
|
+
stream.on("data", (chunk) => {
|
|
25
|
+
hash.update(chunk);
|
|
26
|
+
});
|
|
27
|
+
stream.on("end", () => {
|
|
28
|
+
resolve(hash.digest("hex"));
|
|
29
|
+
});
|
|
30
|
+
stream.on("error", (err) => {
|
|
31
|
+
reject(err);
|
|
32
|
+
});
|
|
33
|
+
});
|
|
34
|
+
}
|
|
35
|
+
var FLAKINESS_DBG = !!process.env.FLAKINESS_DBG;
|
|
36
|
+
function errorText(error) {
|
|
37
|
+
return FLAKINESS_DBG ? error.stack : error.message;
|
|
38
|
+
}
|
|
39
|
+
function sha1Buffer(data) {
|
|
40
|
+
const hash = crypto.createHash("sha1");
|
|
41
|
+
hash.update(data);
|
|
42
|
+
return hash.digest("hex");
|
|
43
|
+
}
|
|
44
|
+
async function retryWithBackoff(job, backoff = []) {
|
|
45
|
+
for (const timeout of backoff) {
|
|
46
|
+
try {
|
|
47
|
+
return await job();
|
|
48
|
+
} catch (e) {
|
|
49
|
+
if (e instanceof AggregateError)
|
|
50
|
+
console.error(`[flakiness.io err]`, errorText(e.errors[0]));
|
|
51
|
+
else if (e instanceof Error)
|
|
52
|
+
console.error(`[flakiness.io err]`, errorText(e));
|
|
53
|
+
else
|
|
54
|
+
console.error(`[flakiness.io err]`, e);
|
|
55
|
+
await new Promise((x) => setTimeout(x, timeout));
|
|
56
|
+
}
|
|
57
|
+
}
|
|
58
|
+
return await job();
|
|
59
|
+
}
|
|
60
|
+
var httpUtils;
|
|
61
|
+
((httpUtils2) => {
|
|
62
|
+
function createRequest({ url, method = "get", headers = {} }) {
|
|
63
|
+
let resolve;
|
|
64
|
+
let reject;
|
|
65
|
+
const responseDataPromise = new Promise((a, b) => {
|
|
66
|
+
resolve = a;
|
|
67
|
+
reject = b;
|
|
68
|
+
});
|
|
69
|
+
const protocol = url.startsWith("https") ? https : http;
|
|
70
|
+
headers = Object.fromEntries(Object.entries(headers).filter(([key, value]) => value !== void 0));
|
|
71
|
+
const request = protocol.request(url, { method, headers }, (res) => {
|
|
72
|
+
const chunks = [];
|
|
73
|
+
res.on("data", (chunk) => chunks.push(chunk));
|
|
74
|
+
res.on("end", () => {
|
|
75
|
+
if (res.statusCode && res.statusCode >= 200 && res.statusCode < 300)
|
|
76
|
+
resolve(Buffer.concat(chunks));
|
|
77
|
+
else
|
|
78
|
+
reject(new Error(`Request to ${url} failed with ${res.statusCode}`));
|
|
79
|
+
});
|
|
80
|
+
res.on("error", (error) => reject(error));
|
|
81
|
+
});
|
|
82
|
+
request.on("error", reject);
|
|
83
|
+
return { request, responseDataPromise };
|
|
84
|
+
}
|
|
85
|
+
httpUtils2.createRequest = createRequest;
|
|
86
|
+
async function getBuffer(url, backoff) {
|
|
87
|
+
return await retryWithBackoff(async () => {
|
|
88
|
+
const { request, responseDataPromise } = createRequest({ url });
|
|
89
|
+
request.end();
|
|
90
|
+
return await responseDataPromise;
|
|
91
|
+
}, backoff);
|
|
92
|
+
}
|
|
93
|
+
httpUtils2.getBuffer = getBuffer;
|
|
94
|
+
async function getText(url, backoff) {
|
|
95
|
+
const buffer = await getBuffer(url, backoff);
|
|
96
|
+
return buffer.toString("utf-8");
|
|
97
|
+
}
|
|
98
|
+
httpUtils2.getText = getText;
|
|
99
|
+
async function getJSON(url) {
|
|
100
|
+
return JSON.parse(await getText(url));
|
|
101
|
+
}
|
|
102
|
+
httpUtils2.getJSON = getJSON;
|
|
103
|
+
async function postText(url, text, backoff) {
|
|
104
|
+
const headers = {
|
|
105
|
+
"Content-Type": "application/json",
|
|
106
|
+
"Content-Length": Buffer.byteLength(text) + ""
|
|
107
|
+
};
|
|
108
|
+
return await retryWithBackoff(async () => {
|
|
109
|
+
const { request, responseDataPromise } = createRequest({ url, headers, method: "post" });
|
|
110
|
+
request.write(text);
|
|
111
|
+
request.end();
|
|
112
|
+
return await responseDataPromise;
|
|
113
|
+
}, backoff);
|
|
114
|
+
}
|
|
115
|
+
httpUtils2.postText = postText;
|
|
116
|
+
async function postJSON(url, json, backoff) {
|
|
117
|
+
const buffer = await postText(url, JSON.stringify(json), backoff);
|
|
118
|
+
return JSON.parse(buffer.toString("utf-8"));
|
|
119
|
+
}
|
|
120
|
+
httpUtils2.postJSON = postJSON;
|
|
121
|
+
})(httpUtils || (httpUtils = {}));
|
|
122
|
+
var ansiRegex = new RegExp("[\\u001B\\u009B][[\\]()#;?]*(?:(?:(?:[a-zA-Z\\d]*(?:;[-a-zA-Z\\d\\/#&.:=?%@~_]*)*)?\\u0007)|(?:(?:\\d{1,4}(?:;\\d{0,4})*)?[\\dA-PR-TZcf-ntqry=><~]))", "g");
|
|
123
|
+
function stripAnsi(str) {
|
|
124
|
+
return str.replace(ansiRegex, "");
|
|
125
|
+
}
|
|
126
|
+
async function saveReportAndAttachments(report, attachments, outputFolder) {
|
|
127
|
+
const reportPath = path.join(outputFolder, "report.json");
|
|
128
|
+
const attachmentsFolder = path.join(outputFolder, "attachments");
|
|
129
|
+
await fs.promises.rm(outputFolder, { recursive: true, force: true });
|
|
130
|
+
await fs.promises.mkdir(outputFolder, { recursive: true });
|
|
131
|
+
await fs.promises.writeFile(reportPath, JSON.stringify(report), "utf-8");
|
|
132
|
+
if (attachments.length)
|
|
133
|
+
await fs.promises.mkdir(attachmentsFolder);
|
|
134
|
+
const movedAttachments = [];
|
|
135
|
+
for (const attachment of attachments) {
|
|
136
|
+
const attachmentPath = path.join(attachmentsFolder, attachment.id);
|
|
137
|
+
if (attachment.path)
|
|
138
|
+
await fs.promises.cp(attachment.path, attachmentPath);
|
|
139
|
+
else if (attachment.body)
|
|
140
|
+
await fs.promises.writeFile(attachmentPath, attachment.body);
|
|
141
|
+
movedAttachments.push({
|
|
142
|
+
contentType: attachment.contentType,
|
|
143
|
+
id: attachment.id,
|
|
144
|
+
path: attachmentPath
|
|
145
|
+
});
|
|
146
|
+
}
|
|
147
|
+
return movedAttachments;
|
|
148
|
+
}
|
|
149
|
+
function shell(command, args, options) {
|
|
150
|
+
try {
|
|
151
|
+
const result = spawnSync(command, args, { encoding: "utf-8", ...options });
|
|
152
|
+
if (result.status !== 0) {
|
|
153
|
+
return void 0;
|
|
154
|
+
}
|
|
155
|
+
return result.stdout.trim();
|
|
156
|
+
} catch (e) {
|
|
157
|
+
console.error(e);
|
|
158
|
+
return void 0;
|
|
159
|
+
}
|
|
160
|
+
}
|
|
161
|
+
function readLinuxOSRelease() {
|
|
162
|
+
const osReleaseText = fs.readFileSync("/etc/os-release", "utf-8");
|
|
163
|
+
return new Map(osReleaseText.toLowerCase().split("\n").filter((line) => line.includes("=")).map((line) => {
|
|
164
|
+
line = line.trim();
|
|
165
|
+
let [key, value] = line.split("=");
|
|
166
|
+
if (value.startsWith('"') && value.endsWith('"'))
|
|
167
|
+
value = value.substring(1, value.length - 1);
|
|
168
|
+
return [key, value];
|
|
169
|
+
}));
|
|
170
|
+
}
|
|
171
|
+
function osLinuxInfo() {
|
|
172
|
+
const arch = shell(`uname`, [`-m`]);
|
|
173
|
+
const osReleaseMap = readLinuxOSRelease();
|
|
174
|
+
const name = osReleaseMap.get("name") ?? shell(`uname`);
|
|
175
|
+
const version = osReleaseMap.get("version_id");
|
|
176
|
+
return { name, arch, version };
|
|
177
|
+
}
|
|
178
|
+
function osDarwinInfo() {
|
|
179
|
+
const name = "macos";
|
|
180
|
+
const arch = shell(`uname`, [`-m`]);
|
|
181
|
+
const version = shell(`sw_vers`, [`-productVersion`]);
|
|
182
|
+
return { name, arch, version };
|
|
183
|
+
}
|
|
184
|
+
function osWinInfo() {
|
|
185
|
+
const name = "win";
|
|
186
|
+
const arch = process.arch;
|
|
187
|
+
const version = os.release();
|
|
188
|
+
return { name, arch, version };
|
|
189
|
+
}
|
|
190
|
+
function getOSInfo() {
|
|
191
|
+
if (process.platform === "darwin")
|
|
192
|
+
return osDarwinInfo();
|
|
193
|
+
if (process.platform === "win32")
|
|
194
|
+
return osWinInfo();
|
|
195
|
+
return osLinuxInfo();
|
|
196
|
+
}
|
|
197
|
+
function inferRunUrl() {
|
|
198
|
+
if (process.env.GITHUB_REPOSITORY && process.env.GITHUB_RUN_ID)
|
|
199
|
+
return `https://github.com/${process.env.GITHUB_REPOSITORY}/actions/runs/${process.env.GITHUB_RUN_ID}`;
|
|
200
|
+
return void 0;
|
|
201
|
+
}
|
|
202
|
+
function parseStringDate(dateString) {
|
|
203
|
+
return +new Date(dateString);
|
|
204
|
+
}
|
|
205
|
+
function gitCommitInfo(gitRepo) {
|
|
206
|
+
const sha = shell(`git`, ["rev-parse", "HEAD"], {
|
|
207
|
+
cwd: gitRepo,
|
|
208
|
+
encoding: "utf-8"
|
|
209
|
+
});
|
|
210
|
+
assert(sha, `FAILED: git rev-parse HEAD @ ${gitRepo}`);
|
|
211
|
+
return sha.trim();
|
|
212
|
+
}
|
|
213
|
+
async function resolveAttachmentPaths(report, attachmentsDir) {
|
|
214
|
+
const attachmentFiles = await listFilesRecursively(attachmentsDir);
|
|
215
|
+
const filenameToPath = new Map(attachmentFiles.map((file) => [path.basename(file), file]));
|
|
216
|
+
const attachmentIdToPath = /* @__PURE__ */ new Map();
|
|
217
|
+
const missingAttachments = /* @__PURE__ */ new Set();
|
|
218
|
+
ReportUtils.visitTests(report, (test) => {
|
|
219
|
+
for (const attempt of test.attempts) {
|
|
220
|
+
for (const attachment of attempt.attachments ?? []) {
|
|
221
|
+
const attachmentPath = filenameToPath.get(attachment.id);
|
|
222
|
+
if (!attachmentPath) {
|
|
223
|
+
missingAttachments.add(attachment.id);
|
|
224
|
+
} else {
|
|
225
|
+
attachmentIdToPath.set(attachment.id, {
|
|
226
|
+
contentType: attachment.contentType,
|
|
227
|
+
id: attachment.id,
|
|
228
|
+
path: attachmentPath
|
|
229
|
+
});
|
|
230
|
+
}
|
|
231
|
+
}
|
|
232
|
+
}
|
|
233
|
+
});
|
|
234
|
+
return { attachmentIdToPath, missingAttachments: Array.from(missingAttachments) };
|
|
235
|
+
}
|
|
236
|
+
async function listFilesRecursively(dir, result = []) {
|
|
237
|
+
const entries = await fs.promises.readdir(dir, { withFileTypes: true });
|
|
238
|
+
for (const entry of entries) {
|
|
239
|
+
const fullPath = path.join(dir, entry.name);
|
|
240
|
+
if (entry.isDirectory())
|
|
241
|
+
await listFilesRecursively(fullPath, result);
|
|
242
|
+
else
|
|
243
|
+
result.push(fullPath);
|
|
244
|
+
}
|
|
245
|
+
return result;
|
|
246
|
+
}
|
|
247
|
+
function computeGitRoot(somePathInsideGitRepo) {
|
|
248
|
+
const root = shell(`git`, ["rev-parse", "--show-toplevel"], {
|
|
249
|
+
cwd: somePathInsideGitRepo,
|
|
250
|
+
encoding: "utf-8"
|
|
251
|
+
});
|
|
252
|
+
assert(root, `FAILED: git rev-parse --show-toplevel HEAD @ ${somePathInsideGitRepo}`);
|
|
253
|
+
return normalizePath(root);
|
|
254
|
+
}
|
|
255
|
+
var IS_WIN32_PATH = new RegExp("^[a-zA-Z]:\\\\", "i");
|
|
256
|
+
var IS_ALMOST_POSIX_PATH = new RegExp("^[a-zA-Z]:/", "i");
|
|
257
|
+
function normalizePath(aPath) {
|
|
258
|
+
if (IS_WIN32_PATH.test(aPath)) {
|
|
259
|
+
aPath = aPath.split(win32Path.sep).join(posixPath.sep);
|
|
260
|
+
}
|
|
261
|
+
if (IS_ALMOST_POSIX_PATH.test(aPath))
|
|
262
|
+
return "/" + aPath[0] + aPath.substring(2);
|
|
263
|
+
return aPath;
|
|
264
|
+
}
|
|
265
|
+
function getCallerLocation(gitRoot, offset = 0) {
|
|
266
|
+
const err = new Error();
|
|
267
|
+
const stack = err.stack?.split("\n");
|
|
268
|
+
const caller = stack?.[2 + offset]?.trim();
|
|
269
|
+
const match = caller?.match(/\((.*):(\d+):(\d+)\)$/);
|
|
270
|
+
if (!match) return void 0;
|
|
271
|
+
const [, filePath, line, column] = match;
|
|
272
|
+
return {
|
|
273
|
+
file: gitFilePath(gitRoot, normalizePath(filePath)),
|
|
274
|
+
line: Number(line),
|
|
275
|
+
column: Number(column)
|
|
276
|
+
};
|
|
277
|
+
}
|
|
278
|
+
function parseStackLocations() {
|
|
279
|
+
const err = new Error();
|
|
280
|
+
const stack = err.stack?.split("\n").slice(2);
|
|
281
|
+
if (!stack)
|
|
282
|
+
return [];
|
|
283
|
+
const result = [];
|
|
284
|
+
for (const caller of stack) {
|
|
285
|
+
const match = caller.trim().match(/\((.*):(\d+):(\d+)\)$/);
|
|
286
|
+
if (!match)
|
|
287
|
+
continue;
|
|
288
|
+
const [, file, line, column] = match;
|
|
289
|
+
result.push({ file, line, column });
|
|
290
|
+
}
|
|
291
|
+
return result;
|
|
292
|
+
}
|
|
293
|
+
function gitFilePath(gitRoot, absolutePath) {
|
|
294
|
+
return posixPath.relative(gitRoot, absolutePath);
|
|
295
|
+
}
|
|
296
|
+
function parseDurationMS(value) {
|
|
297
|
+
if (isNaN(value))
|
|
298
|
+
throw new Error("Duration cannot be NaN");
|
|
299
|
+
if (value < 0)
|
|
300
|
+
throw new Error(`Duration cannot be less than 0, found ${value}`);
|
|
301
|
+
return value | 0;
|
|
302
|
+
}
|
|
303
|
+
function createEnvironment(options) {
|
|
304
|
+
const osInfo = getOSInfo();
|
|
305
|
+
return {
|
|
306
|
+
name: options.name,
|
|
307
|
+
systemData: {
|
|
308
|
+
osArch: osInfo.arch,
|
|
309
|
+
osName: osInfo.name,
|
|
310
|
+
osVersion: osInfo.version
|
|
311
|
+
},
|
|
312
|
+
userSuppliedData: {
|
|
313
|
+
...extractEnvConfiguration(),
|
|
314
|
+
...options.userSuppliedData ?? {}
|
|
315
|
+
}
|
|
316
|
+
};
|
|
317
|
+
}
|
|
318
|
+
function createEnvironments(projects) {
|
|
319
|
+
const envConfiguration = extractEnvConfiguration();
|
|
320
|
+
const osInfo = getOSInfo();
|
|
321
|
+
let uniqueNames = /* @__PURE__ */ new Set();
|
|
322
|
+
const result = /* @__PURE__ */ new Map();
|
|
323
|
+
for (const project of projects) {
|
|
324
|
+
let defaultName = project.name;
|
|
325
|
+
if (!defaultName.trim())
|
|
326
|
+
defaultName = "anonymous";
|
|
327
|
+
let name = defaultName;
|
|
328
|
+
for (let i = 2; uniqueNames.has(name); ++i)
|
|
329
|
+
name = `${defaultName}-${i}`;
|
|
330
|
+
uniqueNames.add(defaultName);
|
|
331
|
+
result.set(project, {
|
|
332
|
+
name,
|
|
333
|
+
systemData: {
|
|
334
|
+
osArch: osInfo.arch,
|
|
335
|
+
osName: osInfo.name,
|
|
336
|
+
osVersion: osInfo.version
|
|
337
|
+
},
|
|
338
|
+
userSuppliedData: {
|
|
339
|
+
...envConfiguration,
|
|
340
|
+
...project.metadata
|
|
341
|
+
},
|
|
342
|
+
opaqueData: {
|
|
343
|
+
project
|
|
344
|
+
}
|
|
345
|
+
});
|
|
346
|
+
}
|
|
347
|
+
return result;
|
|
348
|
+
}
|
|
349
|
+
export {
|
|
350
|
+
computeGitRoot,
|
|
351
|
+
createEnvironment,
|
|
352
|
+
createEnvironments,
|
|
353
|
+
errorText,
|
|
354
|
+
existsAsync,
|
|
355
|
+
extractEnvConfiguration,
|
|
356
|
+
getCallerLocation,
|
|
357
|
+
getOSInfo,
|
|
358
|
+
gitCommitInfo,
|
|
359
|
+
gitFilePath,
|
|
360
|
+
httpUtils,
|
|
361
|
+
inferRunUrl,
|
|
362
|
+
normalizePath,
|
|
363
|
+
parseDurationMS,
|
|
364
|
+
parseStackLocations,
|
|
365
|
+
parseStringDate,
|
|
366
|
+
resolveAttachmentPaths,
|
|
367
|
+
retryWithBackoff,
|
|
368
|
+
saveReportAndAttachments,
|
|
369
|
+
sha1Buffer,
|
|
370
|
+
sha1File,
|
|
371
|
+
shell,
|
|
372
|
+
stripAnsi
|
|
373
|
+
};
|
|
374
|
+
//# sourceMappingURL=utils.js.map
|
package/package.json
CHANGED
|
@@ -1,13 +1,48 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "flakiness",
|
|
3
|
-
"version": "0.
|
|
3
|
+
"version": "0.147.0",
|
|
4
|
+
"private": false,
|
|
5
|
+
"bin": {
|
|
6
|
+
"flakiness": "./lib/cli/cli.js"
|
|
7
|
+
},
|
|
8
|
+
"exports": {
|
|
9
|
+
"./playwright-json-report": {
|
|
10
|
+
"types": "./types/src/playwrightJSONReport.d.ts",
|
|
11
|
+
"import": "./lib/playwrightJSONReport.js",
|
|
12
|
+
"require": "./lib/playwrightJSONReport.js"
|
|
13
|
+
},
|
|
14
|
+
"./junit": {
|
|
15
|
+
"types": "./types/src/junit.d.ts",
|
|
16
|
+
"import": "./lib/junit.js",
|
|
17
|
+
"require": "./lib/junit.js"
|
|
18
|
+
}
|
|
19
|
+
},
|
|
20
|
+
"type": "module",
|
|
4
21
|
"description": "",
|
|
5
|
-
"
|
|
22
|
+
"types": "./types/index.d.ts",
|
|
6
23
|
"scripts": {
|
|
7
|
-
"
|
|
24
|
+
"build:all": "npm run build:win && npm run build:linux && npm run build:mac && npm run build:alpine && npm run build:mac_intel",
|
|
25
|
+
"build:win": "bun build ./lib/cli/cli.js --compile --minify --target=bun-windows-x64 --outfile dist/flakiness-win-x64.exe",
|
|
26
|
+
"build:linux": "bun build ./lib/cli/cli.js --compile --minify --target=bun-linux-x64 --outfile dist/flakiness-linux-x64",
|
|
27
|
+
"build:alpine": "bun build ./lib/cli/cli.js --compile --minify --target=bun-linux-x64-musl --outfile dist/flakiness-linux-x64-alpine",
|
|
28
|
+
"build:mac": "bun build ./lib/cli/cli.js --compile --minify --target=bun-darwin-arm64 --outfile dist/flakiness-macos-arm64",
|
|
29
|
+
"build:mac_intel": "bun build ./lib/cli/cli.js --compile --minify --target=bun-darwin-x64 --outfile dist/flakiness-macos-x64"
|
|
8
30
|
},
|
|
9
31
|
"keywords": [],
|
|
10
|
-
"author": "",
|
|
11
|
-
"license": "
|
|
12
|
-
"
|
|
32
|
+
"author": "Degu Labs, Inc",
|
|
33
|
+
"license": "Fair Source 100",
|
|
34
|
+
"devDependencies": {
|
|
35
|
+
"@flakiness/server": "0.147.0",
|
|
36
|
+
"@playwright/test": "^1.57.0"
|
|
37
|
+
},
|
|
38
|
+
"dependencies": {
|
|
39
|
+
"@flakiness/sdk": "0.147.0",
|
|
40
|
+
"@flakiness/shared": "0.147.0",
|
|
41
|
+
"@rgrove/parse-xml": "^4.2.0",
|
|
42
|
+
"chalk": "^5.6.2",
|
|
43
|
+
"commander": "^13.1.0",
|
|
44
|
+
"debug": "^4.3.7",
|
|
45
|
+
"open": "^10.2.0",
|
|
46
|
+
"ora": "^8.2.0"
|
|
47
|
+
}
|
|
13
48
|
}
|