Skip to content

Commit f8220bd

Browse files
authored
feat: extract line logic into new service (#90)
This commit ensures that if a line is marked as isEol true but the status is somehow not EOL, an error is thrown in the ui. Additionally, this commit lays the groundwork for more robust parsing. The eol scanner command (eol.ts), returns ScanResultComponent[] from an sbom. Then, the eol.svc service transforms ScanResultComponents into Lines. Something like zod would be useful to actually ensure that we are parsing ScanResultComponents into lines in a type-safe manner. This commit starts us down that road by extracting Line-related logic into a new service.
1 parent 84ebb4c commit f8220bd

File tree

10 files changed

+170
-76
lines changed

10 files changed

+170
-76
lines changed

biome.json

+2-1
Original file line numberDiff line numberDiff line change
@@ -31,7 +31,8 @@
3131
"lib/**",
3232
"node_modules/**",
3333
"test/snapshot/**",
34-
"test/fixtures/**"
34+
"test/fixtures/**",
35+
"types/cdxgen.d.ts"
3536
]
3637
}
3738
}

src/commands/scan/eol.ts

+1
Original file line numberDiff line numberDiff line change
@@ -44,6 +44,7 @@ export default class ScanEol extends Command {
4444
throw new Error(`Scan failed to generate for dir: ${dir}`);
4545
}
4646

47+
// TODO: map scanResultComponents to Lines in a consolidated way
4748
const lines = await prepareRows(model, scan);
4849
if (lines?.length === 0) {
4950
this.log('No dependencies found');

src/service/eol/eol.svc.ts

+3-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,6 @@
11
import { log } from '../../utils/log.util.ts';
22
import { daysBetween } from '../../utils/misc.ts';
3+
import type { Line } from '../line.ts';
34
import type { ScanResult, ScanResultComponent } from '../nes/modules/sbom.ts';
45
import { NesApolloClient } from '../nes/nes.client.ts';
56
import { createBomFromDir } from './cdx.svc.ts';
@@ -60,7 +61,7 @@ export async function submitScan(model: SbomModel): Promise<ScanResult> {
6061
* The idea being that each row can easily be used for
6162
* processing and/or rendering.
6263
*/
63-
export async function prepareRows({ components, purls }: SbomModel, scan: ScanResult): Promise<ScanResultComponent[]> {
64+
export async function prepareRows({ components, purls }: SbomModel, scan: ScanResult): Promise<Line[]> {
6465
let lines = purls.map((purl) => {
6566
const { evidence } = components[purl];
6667
const occ = evidence?.occurrences?.map((o) => o.location).join('\n\t - ');
@@ -78,6 +79,7 @@ export async function prepareRows({ components, purls }: SbomModel, scan: ScanRe
7879
const daysEol = info.eolAt ? daysBetween(new Date(), info.eolAt) : undefined;
7980
let status: 'EOL' | 'LTS' | 'OK' = 'OK';
8081

82+
// TODO: extract this logic into the Line.ts file somehow, so that there is a unified Line model
8183
if (daysEol === undefined) {
8284
status = info.isEol ? 'EOL' : status;
8385
} else if (daysEol < 0) {

src/service/eol/eol.ui.ts

+1-64
Original file line numberDiff line numberDiff line change
@@ -1,69 +1,6 @@
1-
import { ux } from '@oclif/core';
21
import inquirer from 'inquirer';
32
import type { Answers } from 'inquirer';
4-
5-
import type { ScanResultComponent } from '../nes/modules/sbom.ts';
6-
7-
interface Line {
8-
daysEol?: number;
9-
purl: ScanResultComponent['purl'];
10-
info?: {
11-
eolAt?: Date;
12-
isEol: boolean;
13-
};
14-
status: ScanResultComponent['status'];
15-
}
16-
17-
function daysBetween(date1: Date, date2: Date) {
18-
const msPerDay = 1000 * 60 * 60 * 24 + 15; // milliseconds in a day plus 15 ms
19-
return Math.round((date2.getTime() - date1.getTime()) / msPerDay);
20-
}
21-
22-
function formatLine(l: Line, idx: number, ctx: { longest: number; total: number }) {
23-
let { info, purl, status } = l;
24-
let msg = '';
25-
let stat: string;
26-
27-
info = info || { eolAt: new Date(), isEol: false };
28-
const daysEol = info.eolAt ? daysBetween(new Date(), info.eolAt) : 0;
29-
30-
if (daysEol === 0) {
31-
status = info.isEol ? 'EOL' : status;
32-
} else if (daysEol < 0) {
33-
status = 'EOL';
34-
} else if (daysEol > 0) {
35-
status = 'LTS';
36-
}
37-
38-
switch (status) {
39-
case 'EOL': {
40-
stat = ux.colorize('red', 'EOL');
41-
msg = `EOL'd ${ux.colorize('red', Math.abs(daysEol).toString())} days ago.`;
42-
break;
43-
}
44-
45-
case 'LTS': {
46-
stat = ux.colorize('yellow', 'LTS');
47-
msg = `Will go EOL in ${ux.colorize('yellow', Math.abs(daysEol).toString())} days.`;
48-
break;
49-
}
50-
51-
case 'OK': {
52-
stat = ux.colorize('green', 'OK');
53-
break;
54-
}
55-
default:
56-
throw new Error(`Unknown status: ${status}`);
57-
}
58-
59-
const padlen = ctx.total.toString().length;
60-
const rownum = `${idx + 1}`.padStart(padlen, ' ');
61-
const name = purl.padEnd(ctx.longest, ' ');
62-
return {
63-
name: `${rownum}. [${stat}] ${name} | ${msg}`,
64-
value: l,
65-
};
66-
}
3+
import { type Line, formatLine } from '../line.ts';
674

685
export function promptComponentDetails(lines: Line[]): Promise<Answers> {
696
const context = {

src/service/line.ts

+67
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,67 @@
1+
import { ux } from '@oclif/core';
2+
import type { ScanResultComponent } from './nes/modules/sbom.ts';
3+
4+
export interface Line {
5+
daysEol?: number;
6+
purl: ScanResultComponent['purl'];
7+
info?: {
8+
eolAt?: Date;
9+
isEol: boolean;
10+
};
11+
status: ScanResultComponent['status'];
12+
}
13+
14+
export function daysBetween(date1: Date, date2: Date) {
15+
const msPerDay = 1000 * 60 * 60 * 24 + 15; // milliseconds in a day plus 15 ms
16+
return Math.round((date2.getTime() - date1.getTime()) / msPerDay);
17+
}
18+
19+
export function getMessageAndStatus(status: string, eolAt?: Date) {
20+
let msg = '';
21+
let stat = '';
22+
23+
const stringifiedDaysEol = eolAt ? Math.abs(daysBetween(new Date(), eolAt)).toString() : 'unknown';
24+
25+
switch (status) {
26+
case 'EOL': {
27+
stat = ux.colorize('red', 'EOL');
28+
msg = `EOL'd ${ux.colorize('red', stringifiedDaysEol)} days ago.`;
29+
break;
30+
}
31+
32+
case 'LTS': {
33+
stat = ux.colorize('yellow', 'LTS');
34+
msg = `Will go EOL in ${ux.colorize('yellow', stringifiedDaysEol)} days.`;
35+
break;
36+
}
37+
38+
case 'OK': {
39+
stat = ux.colorize('green', 'OK');
40+
break;
41+
}
42+
default:
43+
throw new Error(`Unknown status: ${status}`);
44+
}
45+
46+
return { stat, msg };
47+
}
48+
49+
export function formatLine(l: Line, idx: number, ctx: { longest: number; total: number }) {
50+
let { info, purl, status } = l;
51+
52+
info = info || { eolAt: new Date(), isEol: false };
53+
54+
if (info.isEol && status !== 'EOL') {
55+
throw new Error(`isEol is true but status is not EOL: ${purl}`);
56+
}
57+
58+
const { stat, msg } = getMessageAndStatus(status, info.eolAt);
59+
60+
const padlen = ctx.total.toString().length;
61+
const rownum = `${idx + 1}`.padStart(padlen, ' ');
62+
const name = purl.padEnd(ctx.longest, ' ');
63+
return {
64+
name: `${rownum}. [${stat}] ${name} | ${msg}`,
65+
value: l,
66+
};
67+
}

src/utils/log.util.ts

+4-4
Original file line numberDiff line numberDiff line change
@@ -3,17 +3,17 @@
33
* don't have the command instance handy
44
*/
55
export const log = {
6-
info: (_message?: any, ...args: any[]) => {
6+
info: (_message?: unknown, ...args: unknown[]) => {
77
console.log('[default_log]', ...args);
88
},
9-
warn: (_message?: any, ...args: any[]) => {
9+
warn: (_message?: unknown, ...args: unknown[]) => {
1010
console.warn('[default_warn]', ...args);
1111
},
1212
};
1313

1414
export const initOclifLog = (
15-
info: (message?: any, ...args: any[]) => void,
16-
warn: (message?: any, ...args: any[]) => void,
15+
info: (message?: unknown, ...args: unknown[]) => void,
16+
warn: (message?: unknown, ...args: unknown[]) => void,
1717
) => {
1818
log.info = info;
1919
log.warn = warn;

test/hooks/prerun/CommandContextHook.test.ts

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,6 @@ import { runHook } from '@oclif/test';
55
describe('hooks', () => {
66
it('shows a message', async () => {
77
const { result } = await runHook('prerun', { id: 'report committers' });
8-
ok((result as any).successes);
8+
ok((result as unknown as { successes: unknown[] }).successes);
99
});
1010
});

test/service/line.test.ts

+86
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,86 @@
1+
import assert from 'node:assert';
2+
import { describe, it } from 'node:test';
3+
import { daysBetween, formatLine, getMessageAndStatus } from '../../src/service/line.ts';
4+
import type { Line } from '../../src/service/line.ts';
5+
6+
describe('line', () => {
7+
describe('daysBetween', () => {
8+
it('should calculate days between dates', () => {
9+
const date1 = new Date('2024-01-01');
10+
const date2 = new Date('2024-01-31');
11+
assert.equal(daysBetween(date1, date2), 30);
12+
});
13+
14+
it('should handle negative differences', () => {
15+
const date1 = new Date('2024-01-31');
16+
const date2 = new Date('2024-01-01');
17+
assert.equal(daysBetween(date1, date2), -30);
18+
});
19+
});
20+
21+
describe('getMessageAndStatus', () => {
22+
it('should format EOL status', () => {
23+
const eolAt = new Date(Date.now() - 30 * 24 * 60 * 60 * 1000); // 30 days ago
24+
const { stat, msg } = getMessageAndStatus('EOL', eolAt);
25+
assert(stat.includes('EOL'));
26+
assert(msg.includes('days ago'));
27+
});
28+
29+
it('should format LTS status', () => {
30+
const eolAt = new Date(Date.now() + 30 * 24 * 60 * 60 * 1000); // 30 days from now
31+
const { stat, msg } = getMessageAndStatus('LTS', eolAt);
32+
assert(stat.includes('LTS'));
33+
assert(msg.includes('Will go EOL in'));
34+
});
35+
36+
it('should format OK status', () => {
37+
const { stat, msg } = getMessageAndStatus('OK');
38+
assert(stat.includes('OK'));
39+
assert.equal(msg, '');
40+
});
41+
42+
it('should handle missing eolAt date', () => {
43+
const { msg } = getMessageAndStatus('EOL');
44+
assert(msg.includes('unknown') && msg.includes('days ago'));
45+
});
46+
47+
it('should throw on unknown status', () => {
48+
assert.throws(() => getMessageAndStatus('INVALID'), /Unknown status: INVALID/);
49+
});
50+
});
51+
52+
describe('formatLine', () => {
53+
const context = { longest: 20, total: 3 };
54+
55+
it('should format line with EOL status', () => {
56+
const line: Line = {
57+
purl: 'pkg:npm/[email protected]',
58+
status: 'EOL',
59+
info: { isEol: true, eolAt: new Date() },
60+
};
61+
const result = formatLine(line, 0, context);
62+
assert(result.name.includes('['));
63+
assert(result.name.includes('EOL'));
64+
assert(result.name.includes('pkg:npm/[email protected]'));
65+
assert.equal(result.value, line);
66+
});
67+
68+
it('should throw when isEol is true but status is not EOL', () => {
69+
const line: Line = {
70+
purl: 'pkg:npm/[email protected]',
71+
status: 'OK',
72+
info: { isEol: true },
73+
};
74+
assert.throws(() => formatLine(line, 0, context), /isEol is true but status is not EOL/);
75+
});
76+
77+
it('should handle missing info', () => {
78+
const line: Line = {
79+
purl: 'pkg:npm/[email protected]',
80+
status: 'OK',
81+
};
82+
const result = formatLine(line, 0, context);
83+
assert(result.name.includes('OK'));
84+
});
85+
});
86+
});

test/utils/mocks/base.mock.ts

+3-3
Original file line numberDiff line numberDiff line change
@@ -5,9 +5,9 @@ import { default as sinon } from 'sinon';
55
* from a FIFO
66
*/
77
export class BaseStackMock {
8-
stack: any[] = [];
8+
stack: unknown[] = [];
99

10-
constructor(target: any, prop: string) {
10+
constructor(target: Record<string, unknown>, prop: string) {
1111
sinon.stub(target, prop).callsFake(() => this.next());
1212
}
1313

@@ -16,7 +16,7 @@ export class BaseStackMock {
1616
return Promise.resolve(this.stack.shift());
1717
}
1818

19-
public push(value: any) {
19+
public push(value: unknown) {
2020
this.stack.push(value);
2121
return this;
2222
}

test/utils/mocks/fetch.mock.ts

+2-2
Original file line numberDiff line numberDiff line change
@@ -5,12 +5,12 @@ import { BaseStackMock } from './base.mock.ts';
55
* what Apollo uses to make GraphQL calls.
66
*/
77
export class FetchMock extends BaseStackMock {
8-
constructor(stack: any[] = []) {
8+
constructor(stack: unknown[] = []) {
99
super(globalThis, 'fetch');
1010
this.stack = stack;
1111
}
1212

13-
addGraphQL<D>(data?: D, errors: any[] = []) {
13+
addGraphQL<D>(data?: D, errors: unknown[] = []) {
1414
this.stack.push({
1515
headers: {
1616
get: () => 'application/json; charset=utf-8',

0 commit comments

Comments
 (0)