Skip to content

Commit d96519c

Browse files
authored
[patch] [TestOps] fix for watcher (#54)
1 parent 5aea633 commit d96519c

12 files changed

+282
-112
lines changed

.github/workflows/build.yml

+1-1
Original file line numberDiff line numberDiff line change
@@ -17,7 +17,7 @@ jobs:
1717
- name: Use Node.js
1818
uses: actions/setup-node@v3
1919
with:
20-
node-version: '18.x'
20+
node-version: '18.12.0'
2121
registry-url: 'https://registry.npmjs.org'
2222

2323
- uses: volta-cli/action@v4

CHANGELOG.md

+3-6
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,9 @@
11
## Change Log
2-
### 1.0.0
3-
- [TestOps] [BREAKING CHANGE] - videos will be uploaded once for spec and uploaded to an after hook named `video`.
4-
This should keep more storage, since video file is one. It will be available in all tests from the spec.<br>
5-
If you used env var `allureResultsWatchPath` previously from this version it is removed.
6-
You need to specify only `allureResults` now and tell testops to watch it.
2+
### 0.12.1
3+
- [TestOps] watcher improvements - realtime results for all tests
74

85
### 0.12.0
9-
- [TestOps] watcher imrovements - realtime results for passed tests
6+
- [TestOps] watcher improvements - realtime results for passed tests
107

118
### 0.11.0
129
- [#35] issue - add possibility to skip hooks by env var `allureSkipSteps`

README.pack.md

+16-15
Large diffs are not rendered by default.

cypress.config.ts

+1
Original file line numberDiff line numberDiff line change
@@ -26,6 +26,7 @@ export default defineConfig({
2626
allureAttachRequests: true,
2727
allureCompactAttachments: 'false',
2828
allureResults: 'allure-results', // for test results to write
29+
allureResultsWatchPath: 'allure-results/watch',
2930
allureSkipCommands: '', // separated comma
3031
// allureSkipSteps: '"after each" hook*,"before each" hook*,"before all" hook', // separated comma
3132
allureAddVideoOnPass: 'true',

package.json

+1-1
Original file line numberDiff line numberDiff line change
@@ -57,7 +57,7 @@
5757
"publish:patch": "export ver=$(semver $(npm show . version) --increment -i patch) && npm run publishPack && npm run postpublish",
5858
"publish:minor": "export ver=$(semver $(npm show . version) --increment -i minor) && npm run publishPack && npm run postpublish",
5959
"publish:major": "export ver=$(semver $(npm show . version) --increment -i major) && npm run publishPack && npm run postpublish",
60-
"publish:pack": "export ver=\"0.0.2-alpha-2\" && npm run publishPack && npm run postpublish",
60+
"publish:pack": "export ver=\"1.0.1\" && npm run publishPack && npm run postpublish",
6161
"postpublish": "git tag v$ver"
6262
},
6363
"overrides": {

src/plugins/allure-reporter-plugin.ts

+121-65
Original file line numberDiff line numberDiff line change
@@ -3,25 +3,35 @@ import {
33
AllureRuntime,
44
AllureStep,
55
AllureTest,
6+
Attachment,
67
ExecutableItem,
78
ExecutableItemWrapper,
89
FixtureResult,
10+
Status,
911
StatusDetails,
1012
TestResult,
1113
} from 'allure-js-commons';
1214
import getUuid from 'uuid-by-string';
1315
import getUuidByString from 'uuid-by-string';
1416
import { parseAllure } from 'allure-js-parser';
15-
import { copyFile, copyFileSync, existsSync, mkdirSync, readFile, readFileSync, writeFile, writeFileSync } from 'fs';
17+
import { copyFileSync, existsSync, mkdirSync, readFile, readFileSync, writeFileSync } from 'fs';
1618
import path, { basename } from 'path';
1719
import glob from 'fast-glob';
1820
import { ReporterOptions } from './allure';
1921
import Debug from 'debug';
2022
import { GlobalHooks } from './allure-global-hook';
21-
import { AllureTaskArgs, LabelName, Stage, Status, StatusType, UNKNOWN } from './allure-types';
22-
import { delay, extname, packageLog } from '../common';
23+
import { AllureTaskArgs, LabelName, Stage, StatusType, UNKNOWN } from './allure-types';
24+
import { extname, packageLog } from '../common';
2325
import type { ContentType } from '../common/types';
2426
import { randomUUID } from 'crypto';
27+
import {
28+
copyAttachments,
29+
copyFileCp,
30+
copyTest,
31+
mkdirSyncWithTry,
32+
waitWhileCondition,
33+
writeResultFile,
34+
} from './fs-tools';
2535

2636
const beforeEachHookName = '"before each" hook';
2737
const beforeAllHookName = '"before all" hook';
@@ -37,24 +47,93 @@ const log = (...args: unknown[]) => {
3747
debug(args);
3848
};
3949

40-
const writeTestFile = (testFile: string, content: string, callBack: () => void) => {
41-
writeFile(testFile, content, errWrite => {
42-
if (errWrite) {
43-
log(`error test file ${errWrite.message} `);
50+
const createNewContentForContainer = (nameAttAhc: string, existingContents: Buffer, ext: string, specname: string) => {
51+
const containerJSON = JSON.parse(existingContents.toString());
52+
53+
const after: ExecutableItem = {
54+
name: 'video',
55+
attachments: [
56+
{
57+
name: `${specname}${ext}`,
58+
type: 'video/mp4',
59+
source: nameAttAhc,
60+
},
61+
],
62+
parameters: [],
63+
start: Date.now(),
64+
stop: Date.now(),
65+
status: Status.PASSED,
66+
statusDetails: {},
67+
stage: Stage.FINISHED,
68+
steps: [],
69+
};
70+
71+
if (!containerJSON.afters) {
72+
containerJSON.afters = [];
73+
}
74+
75+
containerJSON.afters.push(after);
76+
77+
return containerJSON;
78+
};
4479

45-
return;
80+
/**
81+
* Will copy test results and all attachments to watch folder
82+
* for results to appear in TestOps
83+
* @param input
84+
* @param allureResultsWatch
85+
*/
86+
const copyFileToWatch = async (
87+
input: { test: string; attachments: { name: string; type: string; source: string }[] },
88+
allureResultsWatch: string,
89+
) => {
90+
const { test: allureResultFile, attachments } = input;
91+
const allureResults = path.dirname(allureResultFile);
92+
93+
if (allureResults === allureResultsWatch) {
94+
log(`afterSpec allureResultsWatch the same as allureResults ${allureResults}, will not copy`);
95+
96+
return;
97+
}
98+
mkdirSyncWithTry(allureResultsWatch);
99+
100+
log(`allureResults: ${allureResults}`);
101+
log(`allureResultsWatch: ${allureResultsWatch}`);
102+
log(`attachments: ${JSON.stringify(attachments)}`);
103+
104+
await copyAttachments(attachments, allureResultsWatch, allureResultFile);
105+
await copyTest(allureResultFile, allureResultsWatch);
106+
};
107+
108+
/**
109+
* Get all attachments for test to move them to watch folder
110+
* @param item test item
111+
*/
112+
const getAllAttachments = (item: ExecutableItem) => {
113+
const attachmentsResult: Attachment[] = [];
114+
115+
const inner = (steps: ExecutableItem[], accumulatedRes: Attachment[]): Attachment[] => {
116+
if (steps.length === 0) {
117+
return accumulatedRes;
46118
}
47-
log(`write test file done ${testFile} `);
48-
callBack();
49-
});
119+
120+
const [first, ...rest] = steps;
121+
const newRes = [...accumulatedRes, ...first.attachments];
122+
123+
return inner(rest, newRes);
124+
};
125+
126+
return inner(item.steps, attachmentsResult);
50127
};
128+
51129
// all tests for session
52130
const allTests: { specRelative: string | undefined; fullTitle: string; uuid: string; mochaId: string }[] = [];
53131

54132
export class AllureReporter {
55133
// todo config
56134
private showDuplicateWarn: boolean;
57135
private allureResults: string;
136+
private allureResultsWatch: string;
58137
private allureAddVideoOnPass: boolean;
59138
private allureSkipSteps: RegExp[];
60139
private videos: string;
@@ -78,6 +157,7 @@ export class AllureReporter {
78157
constructor(opts: ReporterOptions) {
79158
this.showDuplicateWarn = opts.showDuplicateWarn;
80159
this.allureResults = opts.allureResults;
160+
this.allureResultsWatch = opts.techAllureResults;
81161
this.allureAddVideoOnPass = opts.allureAddVideoOnPass;
82162
this.videos = opts.videos;
83163
this.screenshots = opts.screenshots;
@@ -408,14 +488,14 @@ export class AllureReporter {
408488
* @param arg {path: string}
409489
*/
410490
async attachVideoToContainers(arg: { path: string }) {
411-
// this happens after test has already finished
491+
// this happens after test and suites have already finished
412492
const { path: videoPath } = arg;
413493
log(`attachVideoToTests: ${videoPath}`);
414494
const ext = '.mp4';
415495
const specname = basename(videoPath, ext);
416496
log(specname);
417497

418-
// when video uploads everything is uploaded already(TestOps) except containers
498+
// when video uploads everything is uploaded already (TestOps) except containers
419499
const res = parseAllure(this.allureResults);
420500

421501
const tests = res
@@ -431,15 +511,20 @@ export class AllureReporter {
431511

432512
let doneFiles = 0;
433513

434-
readFile(videoPath, (errVideo, _contentVideo) => {
514+
readFile(videoPath, errVideo => {
435515
if (errVideo) {
436516
console.error(`Could not read video: ${errVideo}`);
437517

438518
return;
439519
}
440520

441521
testsAttach.forEach(test => {
442-
const containerFile = `${this.allureResults}/${test.parent?.uuid}-container.json`;
522+
if (!test.parent) {
523+
console.error(`not writing videos since test has no parent suite: ${test.fullName}`);
524+
525+
return;
526+
}
527+
const containerFile = `${this.allureResults}/${test.parent.uuid}-container.json`;
443528
log(`ATTACHING to container: ${containerFile}`);
444529

445530
readFile(containerFile, (err, contents) => {
@@ -448,71 +533,34 @@ export class AllureReporter {
448533

449534
return;
450535
}
451-
const testCon = JSON.parse(contents.toString());
452536
const uuid = randomUUID();
453-
454537
const nameAttAhc = `${uuid}-attachment${ext}`;
455538
const newPath = path.join(this.allureResults, nameAttAhc);
539+
const newContentJson = createNewContentForContainer(nameAttAhc, contents, ext, specname);
540+
const newContent = JSON.stringify(newContentJson);
456541

457-
const after = {
458-
name: 'video',
459-
attachments: [
460-
{
461-
name: `${specname}${ext}`,
462-
type: 'video/mp4',
463-
source: nameAttAhc,
464-
},
465-
],
466-
parameters: [],
467-
start: Date.now(),
468-
stop: Date.now(),
469-
status: 'passed',
470-
statusDetails: {},
471-
stage: 'finished',
472-
steps: [],
542+
const writeContainer = () => {
543+
log(`write result file ${containerFile} `);
544+
writeResultFile(containerFile, newContent, () => {
545+
doneFiles = doneFiles + 1;
546+
});
473547
};
474548

475-
if (!testCon.afters) {
476-
testCon.afters = [after];
477-
} else {
478-
testCon.afters.push(after);
479-
}
480-
481549
if (existsSync(newPath)) {
482-
log(`not writing! video file ${newPath} `);
483-
484-
writeTestFile(containerFile, JSON.stringify(testCon), () => {
485-
doneFiles = doneFiles + 1;
486-
});
550+
log(`not writing video, file already exist in path ${newPath} `);
551+
writeContainer();
487552

488553
return;
489554
}
490555

491-
log(`write video file ${newPath} `);
492-
copyFile(videoPath, newPath, errCopy => {
493-
if (errCopy) {
494-
log(`error copy file ${errCopy.message} `);
495-
496-
return;
497-
}
498-
log(`write test file ${containerFile} `);
499-
writeTestFile(containerFile, JSON.stringify(testCon), () => {
500-
doneFiles = doneFiles + 1;
501-
});
556+
copyFileCp(videoPath, newPath, false, () => {
557+
writeContainer();
502558
});
503559
});
504560
});
505561
});
506-
const started = Date.now();
507-
const timeout = 10000;
508562

509-
while (doneFiles < testsAttach.length) {
510-
if (Date.now() - started >= timeout) {
511-
console.error(`Could not write all video attachments in ${timeout}ms`);
512-
break;
513-
}
514-
await delay(100);
515-
}
563+
await waitWhileCondition(() => doneFiles < testsAttach.length);
516564
}
517565

518566
endGroup() {
@@ -752,7 +800,7 @@ export class AllureReporter {
752800
}
753801
}
754802

755-
endTest(arg: AllureTaskArgs<'testEnded'>): void {
803+
async endTest(arg: AllureTaskArgs<'testEnded'>): Promise<void> {
756804
const { result, details } = arg;
757805
const storedStatus = this.testStatusStored;
758806
const storedDetails = this.testDetailsStored;
@@ -788,6 +836,9 @@ export class AllureReporter {
788836

789837
this.applyGroupLabels();
790838
const uid = this.currentTest.uuid;
839+
840+
//const resAtt: Attachment[] = [...this.currentTest.wrappedItem.attachments];
841+
const attachments = getAllAttachments(this.currentTest.wrappedItem);
791842
this.currentTest.endTest();
792843
this.tests.pop();
793844
this.descriptionHtml = [];
@@ -807,6 +858,11 @@ export class AllureReporter {
807858
}
808859
};
809860
waitResultWritten(this.allureResults, `${this.allureResults}/${uid}-result.json`);
861+
862+
// move to watch
863+
864+
log('testEnded: will move result to watch folder');
865+
await copyFileToWatch({ test: `${this.allureResults}/${uid}-result.json`, attachments }, this.allureResultsWatch);
810866
}
811867

812868
startStep(arg: AllureTaskArgs<'stepStarted'>) {

0 commit comments

Comments
 (0)